PROJECT #1¶
INSTALLING REQUIRED PACKAGES¶
In [7]:
!pip install -q spacy[cuda11x] sentence-transformers colorcet
In [8]:
!pip install -q spacy[cuda11x] nltk s3fs spacy_fastlang wordcloud
!pip install -q https://github.com/explosion/spacy-models/releases/download/en_core_web_sm-3.7.1/en_core_web_sm-3.7.1-py3-none-any.whl
In [9]:
!pip install -q https://github.com/explosion/spacy-models/releases/download/en_core_web_lg-3.7.1/en_core_web_lg-3.7.1-py3-none-any.whl
In [10]:
!pip install -q spacy[cuda11x] tomotopy
In [4]:
!wget -nc https://ling583.s3.amazonaws.com/conspiracy.parquet
File ‘conspiracy.parquet’ already there; not retrieving.
IMPORTING REQUIRED PACKAGES¶
In [2]:
import re
from collections import Counter, defaultdict
import nltk
import numpy as np
import pandas as pd
import matplotlib.pyplot as plt
import colorcet as cc
import spacy
from cytoolz import concat, partition_all,identity
from tqdm import tqdm
from bokeh.layouts import column
from bokeh.plotting import figure, output_notebook, show
from bokeh.transform import factor_cmap, linear_cmap
from sentence_transformers import SentenceTransformer
from sklearn.decomposition import TruncatedSVD
from sklearn.manifold import TSNE
from sklearn.cluster import HDBSCAN
from spacy.matcher import Matcher
from sklearn.feature_extraction.text import TfidfVectorizer
output_notebook()
In [92]:
############################################################
##################### Reading Data #########################
############################################################
df = pd.read_parquet('conspiracy.parquet')
In [93]:
pd.set_option("display.max_colwidth", 500)
df.head(10)
Out[93]:
| date | text | |
|---|---|---|
| 0 | 2019-08-09 21:58:14 | Your post has been removed because it does not contain a submission statement. If you think you received this message in error, or if you have subsequently added a submission statement, please contact the mods through modmail, and include a link to the comment with your submission statement. ^(This is a bot: replies and PMs will not receive responses.) |
| 1 | 2022-01-15 19:16:00 | Ugh. I am sick of seeing his face. He is so controlled opposition. So obvious. Where’s he “pushing” them? I changed the description. I had previously lifted it directly from the Inspired You Tube channel, but you are right, he is still encouraging people to get vaxxed with the faulty injections so he isn't as awake as he professes to be. Thanks for the correction. > shares how he has been fully red-pilled and what is really going on. lulz He's taken the shots and still pushing them. Dr. Robe... |
| 2 | 2022-10-24 16:25:16 | I’m not saying charges weren’t used, what I am saying is the mass of a plane will definitely go into a building. Especially when you mix force from the planes impact, any explosives that were in the plane, leverage from the height of the plane, the temperature from everything burning. Don’t get me wrong I am as certain as I can be there were explosives planted prior but I’m speaking solely in the jet fuel thing. I think all of this put together makes the jet fuel not burning hot enough argum... |
| 3 | 2016-10-28 15:10:41 | It's actually a callback to Tom Cruise's moment up there. But I see how it could be confusing on it's face. Would he really be *standing* on the couch though? "And you get an indictment! And you get an indictment! Everyone is getting an indictment!" > joining a militia and taking over a wildlife refuge Beware of the new Swiss guy who's really good with guns. What that Trump Supporters are afraid of being assaulted or shamed for their beliefs? Or that they have better emotional composure over... |
| 4 | 2020-12-12 19:53:11 | All caps titles are not permitted as per rule 6. Please repost with a new title *I am a bot, and this action was performed automatically. Please contact the moderators of this subreddit if you have any questions or concerns.* |
| 5 | 2022-06-29 11:12:15 | Your post has been removed because it does not contain a submission statement. If you think you received this message in error, or if you have subsequently added a submission statement, please contact the mods through modmail, and include a link to the comment with your submission statement. ^(This is a bot: replies and PMs will not receive responses.) I do not like this ruling, however a Grand Jury is as corrupt as it gets in this country, and Michigan was using a ONE MAN grand jury, meanin... |
| 6 | 2020-05-12 13:44:10 | They should change adrenochrome to adrenocum. That would be funny I think Exactly. It's semantics really - psychedelic, psychotomimetic, suggestogen, hallucinogen, entheogen, schizophrenogen all different words for describing the same altered state of consciousness - dissociation, de-realization, poverty of thought/expression, synesthesia, aud./vis./tactile hallucinations/disturbances, thought loops etc...mushrooms, mesc., LSD, DMT - take your pick. He is running for senate in MA I think, or... |
| 7 | 2020-04-26 23:48:08 | my point that I was getting at is that he wasn't privvy to enough top secret info that one would need in order to know what tools they have at ttheir disposal welll allllright then. ::picks up his things and cries and walks home:::: He would have had Ghislaine arrested if her cared about the proletariat. They’re all in the same club. Trump is unfortunately not a savior. This isn't conspiracy related. Go shit post about world peace by your cult leader somewhere else. Even the best most well i... |
| 8 | 2022-07-06 10:07:46 | Hi This submission has been automatically removed because it links to CNN. CNN has previously threatened to doxx redditors who do not comply with its demands, hence it is not allowed to be posted on this subreddit per discussion with the community at large. If you wish, you can submit CNN articles via an archive service such as U_R_L Cheers. *I am a bot, and this action was performed automatically. Please contact the moderators of this subreddit if you have any questions or concerns.* |
| 9 | 2017-05-28 07:43:41 | G2.0 is the DNC. Apparently it's hard to find unscrupulous tech people who can do the job properly. Most likely because those lacking scruples exaggerate their skill sets/proficiencies. |
In [11]:
####### Data size ############
df.shape
Out[11]:
(17155, 2)
Removing Duplicates¶
In [87]:
############## Dropping duplicate information ##################
df.drop_duplicates(subset=['text'],inplace = True)
In [13]:
############## Information about the data ###############
df.info()
<class 'pandas.core.frame.DataFrame'> Index: 16342 entries, 0 to 17154 Data columns (total 2 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 date 16342 non-null datetime64[ns] 1 text 16342 non-null object dtypes: datetime64[ns](1), object(1) memory usage: 383.0+ KB
In [88]:
df['date'].min()
Out[88]:
Timestamp('2015-01-01 13:45:06')
In [89]:
df['date'].max()
Out[89]:
Timestamp('2023-02-17 14:34:42')
Calculating length of text¶
In [90]:
df['len'] = df['text'].str.len()
df.head()
Out[90]:
| date | text | len | |
|---|---|---|---|
| 0 | 2019-08-09 21:58:14 | Your post has been removed because it does not contain a submission statement. If you think you received this message in error, or if you have subsequently added a submission statement, please contact the mods through modmail, and include a link to the comment with your submission statement. ^(This is a bot: replies and PMs will not receive responses.) | 354 |
| 1 | 2022-01-15 19:16:00 | Ugh. I am sick of seeing his face. He is so controlled opposition. So obvious. Where’s he “pushing” them? I changed the description. I had previously lifted it directly from the Inspired You Tube channel, but you are right, he is still encouraging people to get vaxxed with the faulty injections so he isn't as awake as he professes to be. Thanks for the correction. > shares how he has been fully red-pilled and what is really going on. lulz He's taken the shots and still pushing them. Dr. Robe... | 719 |
| 2 | 2022-10-24 16:25:16 | I’m not saying charges weren’t used, what I am saying is the mass of a plane will definitely go into a building. Especially when you mix force from the planes impact, any explosives that were in the plane, leverage from the height of the plane, the temperature from everything burning. Don’t get me wrong I am as certain as I can be there were explosives planted prior but I’m speaking solely in the jet fuel thing. I think all of this put together makes the jet fuel not burning hot enough argum... | 8957 |
| 3 | 2016-10-28 15:10:41 | It's actually a callback to Tom Cruise's moment up there. But I see how it could be confusing on it's face. Would he really be *standing* on the couch though? "And you get an indictment! And you get an indictment! Everyone is getting an indictment!" > joining a militia and taking over a wildlife refuge Beware of the new Swiss guy who's really good with guns. What that Trump Supporters are afraid of being assaulted or shamed for their beliefs? Or that they have better emotional composure over... | 1660 |
| 4 | 2020-12-12 19:53:11 | All caps titles are not permitted as per rule 6. Please repost with a new title *I am a bot, and this action was performed automatically. Please contact the moderators of this subreddit if you have any questions or concerns.* | 225 |
In [9]:
##################################################################################
##### Plotting the distribution of length of data in the text ####################
##################################################################################
df["len"].plot(kind="hist")
Out[9]:
<Axes: ylabel='Frequency'>
In [91]:
##################################################################################
###################### Getting word count from the text ##########################
##################################################################################
def count_words(text):
return len(text.split())
df['word_count'] = df['text'].apply(count_words)
df.head()
Out[91]:
| date | text | len | word_count | |
|---|---|---|---|---|
| 0 | 2019-08-09 21:58:14 | Your post has been removed because it does not contain a submission statement. If you think you received this message in error, or if you have subsequently added a submission statement, please contact the mods through modmail, and include a link to the comment with your submission statement. ^(This is a bot: replies and PMs will not receive responses.) | 354 | 59 |
| 1 | 2022-01-15 19:16:00 | Ugh. I am sick of seeing his face. He is so controlled opposition. So obvious. Where’s he “pushing” them? I changed the description. I had previously lifted it directly from the Inspired You Tube channel, but you are right, he is still encouraging people to get vaxxed with the faulty injections so he isn't as awake as he professes to be. Thanks for the correction. > shares how he has been fully red-pilled and what is really going on. lulz He's taken the shots and still pushing them. Dr. Robe... | 719 | 127 |
| 2 | 2022-10-24 16:25:16 | I’m not saying charges weren’t used, what I am saying is the mass of a plane will definitely go into a building. Especially when you mix force from the planes impact, any explosives that were in the plane, leverage from the height of the plane, the temperature from everything burning. Don’t get me wrong I am as certain as I can be there were explosives planted prior but I’m speaking solely in the jet fuel thing. I think all of this put together makes the jet fuel not burning hot enough argum... | 8957 | 1608 |
| 3 | 2016-10-28 15:10:41 | It's actually a callback to Tom Cruise's moment up there. But I see how it could be confusing on it's face. Would he really be *standing* on the couch though? "And you get an indictment! And you get an indictment! Everyone is getting an indictment!" > joining a militia and taking over a wildlife refuge Beware of the new Swiss guy who's really good with guns. What that Trump Supporters are afraid of being assaulted or shamed for their beliefs? Or that they have better emotional composure over... | 1660 | 289 |
| 4 | 2020-12-12 19:53:11 | All caps titles are not permitted as per rule 6. Please repost with a new title *I am a bot, and this action was performed automatically. Please contact the moderators of this subreddit if you have any questions or concerns.* | 225 | 40 |
In [11]:
##################################################################################
######### Plotting the distribution of word count in the text ####################
##################################################################################
df["word_count"].plot(kind="hist")
Out[11]:
<Axes: ylabel='Frequency'>
In [20]:
##################### Finding text with maximum number of words ########################
df["word_count"].max()
Out[20]:
35024
In [21]:
df[df["word_count"] == df["word_count"].max()]['text']
Out[21]:
5394 Tell me your source on how the VMO being exceeded was not a problem. VMO was exceeded for these jets. VMO is set by engineers because they know how much stress the aircraft can take. No no, you said the wings can't handle the stress my man, That's exactly what you said. Yet they can, we know they can. They're actually quite designed TO DO SO. That's not where they're designed to operate normally, but they are indeed designed to be able to hold together and high speed low altitude. Lol it's n... Name: text, dtype: object
In [22]:
df[['len','word_count']].describe(percentiles=[.1,.5,.9]).T
Out[22]:
| count | mean | std | min | 10% | 50% | 90% | max | |
|---|---|---|---|---|---|---|---|---|
| len | 16342.0 | 5050.243973 | 13077.926887 | 1.0 | 174.0 | 1328.5 | 11014.3 | 195830.0 |
| word_count | 16342.0 | 893.690062 | 2313.954603 | 1.0 | 31.0 | 235.0 | 1960.0 | 35024.0 |
In [23]:
df[df["word_count"] > 12000 ]
Out[23]:
| date | text | len | word_count | |
|---|---|---|---|---|
| 49 | 2021-07-25 10:21:14 | Niether did you That person’s brain is clogged with resin and whatever current rhetoric is trending. Sorry wrong thread Yea well Biden is obviously no different and also playing a part. Well at least we can agree on that. Umm I know it doesn't cure anything. Thats all that's left in that echo chamber the vaccine injured and crazies suggesting homeopathic treatments. Or you could trust actual verified data instead of random people on the internet reporting whatever they *think* was caused by ... | 132809 | 23636 |
| 55 | 2021-01-09 19:08:20 | lol remember this gem: "This is one of the most astounding accusations I have ever heard. If in fact true, just imagine the implications of this. May be the biggest scandal in history. However, if this is NOT true I am done with Trump and the rest of them forever." Now that Sydney Powell has admitted that her claims were false and that no reasonable person would have believed her, are you done with Trump and the rest of them forever? Uh no, the definition of hate sticks purely to hate, the o... | 117433 | 20382 |
| 113 | 2022-10-19 18:31:20 | What's embarrassing about it. COVID UPDATE: What is the truth? U_R_L I chose Empirical facts and got the booster. Oh, well that is so good to know! Good one. Maybe go ahead and search up the great barrington declaration and/or the nuremberg code. Or maybe just go get another booster. Not from vaccines You. Oh so an immune system can't shut down? Interesting. I guess we will continue to see as these 'vaccine' trials come to an end next year. I wonder what non-answers are wasted on? resistance... | 149668 | 26177 |
| 417 | 2021-11-04 16:39:32 | Right. I honestly didn't realize you were being facetious. r/conspiracy can be a strange place I haven't seen a human heart in person. The human heart is made up by big pharma to sell heart medication. what? Dammit idk how to post, it was taken down. That... does not look like her. Maybe I'm wrong though. There was a guy in another thread earlier this week that tried to find out if she was alive and he believes she is after looking into it. So who knows. Just created a post. Blimey, really? ... | 79476 | 14073 |
| 446 | 2021-01-05 22:29:20 | Hahahahaha Some insane measures for something you have an over 99.7% chance of surviving. You’ll have to add it to your list of shit you don’t know Right. But that doesn't make comparing 48000 deaths to 30 million reasonable against this guy's argument. It's the third leading cause of death cause by a disease in america. Proven liars. The third leading cause of death is medical errors. Need I say more? Unless you plan on wearing a mask for the rest of your life, this debate is over. Don't kn... | 85444 | 14428 |
| ... | ... | ... | ... | ... |
| 16565 | 2020-05-12 22:16:39 | Did you not read my comment? Even 6 months of masks is some $7K. Who’s paying for that? Not the government. It’s called clinical trials. And yes I look at adverse event data every day, and if someone died from a wood chipper they absolutely, 100% would not have a cause of death reported as COVID. What is the source on this screenshot? Where did you see it/do you have a YouTube link for it? \>OH also, yeah, 5G causing coronavirus? yo, so check this not so far-fetched ridiculousness. that char... | 184385 | 33142 |
| 16837 | 2019-12-09 10:25:45 | When you've gone full retard and start to enslave your own people again because nobody is doing it for you. Np mate, the system of government and phras used can sound quite confusing. I stand corrected on British history. A dictator lol. No. It was enacted by parliament (not the King lol) following a parliamentary campaign by the abolitionist movement headed by William Wilberforce. The king could of tried to withhold assent but that rarely happens and would cause a lot of trouble for the mon... | 167546 | 29331 |
| 16856 | 2015-11-11 07:44:38 | I haven't tried any other social media site, other than Google+. Then why even suggest it if the whole point of deleting Facebook is to avoid being stalked? That probably sounds more aggressive than I mean it to, I am just actually curious. Probably oxymoronic but do you know of a more private social media site? I deleted my Facebook years ago. But I recently created one. It's just so easy to connect with friends, especially classmates. I'll just try and keep it super conservative. But then ... | 66623 | 12077 |
| 16996 | 2022-02-05 02:47:57 | Te O uhh what? I AM trying to support the truckers. Wow so insightful... Actual footage which is plentiful and shows none of what you're saying, and at multiple locations. It's not "just medicine". I take medicine every day. I take shots, almost every day. No one is scared. What we do is brave. The vax is hurting people, especially the one made for America because the whole plan was hatched by Americans. ??? What does Jeff bezos have to do with any of this? Also it's the pictures and intervi... | 96407 | 17043 |
| 17074 | 2021-03-07 00:48:35 | Way to miss the point! ROTFL. Well, you prescribed what r/politics should be like. Please explain how did you determine that. Don't users of that subreddit have a say? Way to miss the point! ROTFL. Lol government tryna turn are men gay again There is no doubt that platforms like YouTube are weapons used to further destroy western civilization. I bloody wish 😂 size 4 here mate Its always great to find another Libertarian! Did you start with Murray Rothbard, Ayn Rand, Von Mises, or was it some... | 128205 | 22895 |
156 rows × 4 columns
CLEANING DATA¶
In [ ]:
#########################################################################################
############### REMOVING EMOJIES and OTHER TEXT NOT NECESSARY FOR ANALYSIS ##############
#########################################################################################
In [12]:
df['text'] = df['text'].str.lstrip()
In [20]:
df["text"].tail(5)
Out[20]:
17150 Cry me a river. I'm speaking from my personal point of view with mask wearing. I don't give a shit about how anyone else feels when wearing one. Being 8 months pregnant and wearing a mask makes it hard for me to breathe. That's what I stated in my post and that's my personal experience. "If your opinion differs from mine you're a shill bot" Do you realize how stupid you look when you say that? I checked the facts he provided and they check out. Why waste a comment calling him a shill bot whe... 17151 What’s the conspiracy? All I see are political opinions. Isms created by the elite to keep people complaining about the "other side". You buy straight into their psychological warfare. The future is socialism for you for trying to impose American-style capitalism on others; that adventure has ruined the US financially, made the world a much more unstable place, and done nothing to prevent the rise of China. Funny meme, wrong subreddit r/benshapiro Very well stated Whew, I can feed my horses ... 17152 Remind people that this shit is larger and more pervasive than satanists who rape and murder children. What's the purpose of this, OP? Fuck your post OP... get us motivated if anything Yeah, really take in those chemical aerosols. Cheeky...but educational. 17153 > you do not have time to go tell nasa yourself hahah i am sure NASA knows ;) Crazy concept to think about... I'd believe it. The stupid, it hurrrrrts! Holy shit what if gravity really is just things pulling through space at different rates and a planet is just a bunch of debris plugging up a very small wormhole HOW DID YOU JUST MAKE ME THINK THAT YOU ARE A WONDERFUL BEAUTIFUL REDDITOR I HOPE YOU GET A PROMOTION AT WORK You have time to make youtube videos,but you do not have time to go tell... 17154 good to know, i havent been able to get a straight answer on this. thanks Porn pops up in mine but not this… Same....then they suggested me to join r/Antivaxx which is a pro-vax sub....they are trash Oh I wondered why they didn’t come up. Lmao your are the human representation of: "He was crying, but in that light it kinda looked like I was the one crying" You’re saying words but you don’t understand or you are too lazy to take the time to comprehend the meaning of the words and how they rel... Name: text, dtype: object
In [13]:
df["text"].tail(5) \
.str.casefold() \
.str.replace(r"(\W|\d)+", " ", regex=True)
Out[13]:
17150 cry me a river i m speaking from my personal p... 17151 what s the conspiracy all i see are political ... 17152 remind people that this shit is larger and mor... 17153 you do not have time to go tell nasa yourself... 17154 good to know i havent been able to get a strai... Name: text, dtype: object
In [14]:
df['text_clean'] = df["text"].str.casefold().str.replace(r"(\W|\d)+", " ", regex=True)
df.head(5)
Out[14]:
| date | text | word_count | len | text_clean | |
|---|---|---|---|---|---|
| 0 | 2019-08-09 21:58:14 | Your post has been removed because it does not... | 59 | 354 | your post has been removed because it does not... |
| 1 | 2022-01-15 19:16:00 | Ugh. I am sick of seeing his face. He is so co... | 127 | 719 | ugh i am sick of seeing his face he is so cont... |
| 2 | 2022-10-24 16:25:16 | I’m not saying charges weren’t used, what I am... | 1608 | 8957 | i m not saying charges weren t used what i am ... |
| 3 | 2016-10-28 15:10:41 | It's actually a callback to Tom Cruise's momen... | 289 | 1660 | it s actually a callback to tom cruise s momen... |
| 4 | 2020-12-12 19:53:11 | All caps titles are not permitted as per rule ... | 40 | 225 | all caps titles are not permitted as per rule ... |
TERM EXTRACTION¶
In [26]:
nlp = spacy.load("en_core_web_sm", exclude=["parser", "lemmatizer", "attribute_ruler"])
In [27]:
#matching terms with nouns and adjectives
matcher = Matcher(nlp.vocab)
matcher.add(
"Term",
[
[
{"TAG": {"IN": ["JJ", "NN", "NNS", "NNP"]}},
{"TAG": {"IN": ["JJ", "NN", "NNS", "NNP", "HYPH"]}, "OP": "*"},
{"TAG": {"IN": ["NN", "NNS", "NNP"]}},
]
],
)
In [25]:
df['text_clean'].iloc[1]
Out[25]:
'ugh i am sick of seeing his face he is so controlled opposition so obvious where s he pushing them i changed the description i had previously lifted it directly from the inspired you tube channel but you are right he is still encouraging people to get vaxxed with the faulty injections so he isn t as awake as he professes to be thanks for the correction shares how he has been fully red pilled and what is really going on lulz he s taken the shots and still pushing them dr robert malone co inventor of the mrna technology shares how he has been red pilled and what is really going on u_r_l caveat he is still pushing the experimental mrna injections so he isn t as fully red pilled as he believes '
In [26]:
doc = nlp(df['text_clean'].iloc[1])
print([(t.norm_,t.tag_) for t in doc])
[('ugh', 'UH'), ('i', 'PRP'), ('am', 'VBP'), ('sick', 'JJ'), ('of', 'IN'), ('seeing', 'VBG'), ('his', 'PRP$'), ('face', 'NN'), ('he', 'PRP'), ('is', 'VBZ'), ('so', 'RB'), ('controlled', 'VBN'), ('opposition', 'NN'), ('so', 'RB'), ('obvious', 'JJ'), ('where', 'WRB'), ('s', 'VBZ'), ('he', 'PRP'), ('pushing', 'VBG'), ('them', 'PRP'), ('i', 'PRP'), ('changed', 'VBD'), ('the', 'DT'), ('description', 'NN'), ('i', 'PRP'), ('had', 'VBD'), ('previously', 'RB'), ('lifted', 'VBN'), ('it', 'PRP'), ('directly', 'RB'), ('from', 'IN'), ('the', 'DT'), ('inspired', 'VBN'), ('you', 'PRP'), ('tube', 'NN'), ('channel', 'NN'), ('but', 'CC'), ('you', 'PRP'), ('are', 'VBP'), ('right', 'JJ'), ('he', 'PRP'), ('is', 'VBZ'), ('still', 'RB'), ('encouraging', 'VBG'), ('people', 'NNS'), ('to', 'TO'), ('get', 'VB'), ('vaxxed', 'JJ'), ('with', 'IN'), ('the', 'DT'), ('faulty', 'JJ'), ('injections', 'NNS'), ('so', 'IN'), ('he', 'PRP'), ('isn', 'VBP'), ('t', 'NN'), ('as', 'RB'), ('awake', 'JJ'), ('as', 'IN'), ('he', 'PRP'), ('professes', 'VBZ'), ('to', 'TO'), ('be', 'VB'), ('thanks', 'NNS'), ('for', 'IN'), ('the', 'DT'), ('correction', 'NN'), ('shares', 'NNS'), ('how', 'WRB'), ('he', 'PRP'), ('has', 'VBZ'), ('been', 'VBN'), ('fully', 'RB'), ('red', 'JJ'), ('pilled', 'VBD'), ('and', 'CC'), ('what', 'WP'), ('is', 'VBZ'), ('really', 'RB'), ('going', 'VBG'), ('on', 'IN'), ('lulz', 'NNP'), ('he', 'PRP'), ('s', 'VBZ'), ('taken', 'VBN'), ('the', 'DT'), ('shots', 'NNS'), ('and', 'CC'), ('still', 'RB'), ('pushing', 'VBG'), ('them', 'PRP'), ('dr', 'NNP'), ('robert', 'NNP'), ('malone', 'NNP'), ('co', 'NNP'), ('inventor', 'NN'), ('of', 'IN'), ('the', 'DT'), ('mrna', 'NN'), ('technology', 'NN'), ('shares', 'NNS'), ('how', 'WRB'), ('he', 'PRP'), ('has', 'VBZ'), ('been', 'VBN'), ('red', 'JJ'), ('pilled', 'VBD'), ('and', 'CC'), ('what', 'WP'), ('is', 'VBZ'), ('really', 'RB'), ('going', 'VBG'), ('on', 'RP'), ('u_r_l', 'JJ'), ('caveat', 'NN'), ('he', 'PRP'), ('is', 'VBZ'), ('still', 'RB'), ('pushing', 'VBG'), ('the', 'DT'), ('experimental', 'JJ'), ('mrna', 'NN'), ('injections', 'NNS'), ('so', 'IN'), ('he', 'PRP'), ('isn', 'VBP'), ('t', 'NN'), ('as', 'RB'), ('fully', 'RB'), ('red', 'JJ'), ('pilled', 'VBD'), ('as', 'IN'), ('he', 'PRP'), ('believes', 'VBZ')]
In [28]:
def get_phrases(doc):
spans = matcher(doc, as_spans=True)
return[tuple(tok.norm_ for tok in span) for span in spans]
In [30]:
print( get_phrases(doc))
[('tube', 'channel'), ('faulty', 'injections'), ('correction', 'shares'), ('dr', 'robert'), ('robert', 'malone'), ('dr', 'robert', 'malone'), ('malone', 'co'), ('robert', 'malone', 'co'), ('dr', 'robert', 'malone', 'co'), ('co', 'inventor'), ('malone', 'co', 'inventor'), ('robert', 'malone', 'co', 'inventor'), ('dr', 'robert', 'malone', 'co', 'inventor'), ('mrna', 'technology'), ('technology', 'shares'), ('mrna', 'technology', 'shares'), ('u_r_l', 'caveat'), ('experimental', 'mrna'), ('mrna', 'injections'), ('experimental', 'mrna', 'injections')]
In [30]:
freqs = defaultdict(Counter)
for term in concat(map(get_phrases, nlp.pipe(tqdm(df["text_clean"]), batch_size=400))):
freqs[len(term)][term] += 1
100%|██████████| 16342/16342 [16:19<00:00, 16.68it/s]
In [58]:
freqs.keys()
Out[58]:
dict_keys([2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 69, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 84, 85, 86, 87, 88, 89, 90, 91, 92, 93, 94, 95, 96, 97, 98, 99, 100, 101, 102, 103, 104, 105, 106, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 130, 131, 132, 133, 134, 135, 136, 137, 138, 139, 140, 141, 142, 143, 144, 145, 146, 147, 148, 149, 150, 151, 152, 153, 154, 155, 156, 157, 158, 159, 160, 161, 162, 163, 164, 165, 166, 167, 168, 169, 170, 171, 172, 173, 174, 175, 176, 177, 178, 179, 180, 181, 182, 183, 184, 185, 186, 187, 188, 189, 190, 191, 192, 193, 194, 195, 196, 197, 198, 199, 200, 201, 202, 203, 204, 205, 206, 207, 208, 209, 210, 211, 212, 213, 214, 215, 216, 217, 218, 219, 220, 221, 222, 223, 224, 225, 226, 227, 228, 229, 230, 231, 232, 233, 234, 235, 236, 237, 238, 239, 240, 241, 242, 243, 244, 245, 246, 247, 248, 249, 250, 251, 252, 253, 254, 255, 256, 257, 258, 259, 260, 261, 262, 263, 264, 265, 266, 267, 268, 269, 270, 271, 272, 273, 274, 275, 276, 277, 278, 279, 280, 281, 282, 283, 284, 285, 286, 287, 288, 289, 290, 291, 292, 293, 294, 295, 296, 297, 298, 299, 300, 301, 302, 303, 304, 305, 306, 307, 308, 309, 310, 311, 312, 313, 314, 315, 316, 317, 318, 319, 320, 321, 322, 323, 324])
In [65]:
freqs[4].most_common(10)
Out[65]:
[(('u_r_l', 'u_r_l', 'u_r_l', 'u_r_l'), 235),
(('sa', 'sa', 'sa', 'sa'), 145),
(('site', 'wide', 'hard', 'filter'), 93),
(('mobile', 'link', 'u_r_l', 'helperbot'), 67),
(('v', 'r', 'helperbot', '_'), 67),
(('link', 'u_r_l', 'helperbot', 'v'), 65),
(('u_r_l', 'helperbot', 'v', 'r'), 65),
(('helperbot', 'v', 'r', 'helperbot'), 65),
(('long', 'term', 'side', 'effects'), 64),
(('youtube', 'dr', 'robert', 'malone'), 49)]
In [71]:
freqs[10].most_common(10)
Out[71]:
[(('sa', 'sa', 'sa', 'sa', 'sa', 'sa', 'sa', 'sa', 'sa', 'sa'), 139),
(('u_r_l',
'u_r_l',
'u_r_l',
'u_r_l',
'u_r_l',
'u_r_l',
'u_r_l',
'u_r_l',
'u_r_l',
'u_r_l'),
26),
(('amp', 'amp', 'amp', 'amp', 'amp', 'amp', 'amp', 'amp', 'amp', 'amp'), 15),
(('woo', 'woo', 'woo', 'woo', 'woo', 'woo', 'woo', 'woo', 'woo', 'woo'), 10),
(('jidf', 'org', 'jidf', 'org', 'jidf', 'org', 'jidf', 'org', 'jidf', 'org'),
7),
(('cdc',
'novel',
'coronavirus',
'ncov',
'real',
'time',
'rt',
'pcr',
'diagnostic',
'panel'),
7),
(('hahahahahahahahahaha',
'hahahahahahahahahaha',
'hahahahahahahahahaha',
'hahahahahahahahahaha',
'hahahahahahahahahaha',
'hahahahahahahahahaha',
'hahahahahahahahahaha',
'hahahahahahahahahaha',
'hahahahahahahahahaha',
'hahahahahahahahahaha'),
6),
(('org', 'jidf', 'org', 'jidf', 'org', 'jidf', 'org', 'jidf', 'org', 'jidf'),
6),
(('hillary',
'clinton',
'u_r_l',
'eric',
'holder',
'u_r_l',
'maxine',
'waters',
'u_r_l',
'nancy'),
6),
(('clinton',
'u_r_l',
'eric',
'holder',
'u_r_l',
'maxine',
'waters',
'u_r_l',
'nancy',
'pelosi'),
6)]
In [15]:
#######################################################################################################
###### Removing problematic and non-sensical terms like "u_r_l","amp", "woo", "jidf" and "org") #######
#######################################################################################################
# List of words to replace
words_to_replace = ["u_r_l","amp", "woo", "jidf", "org","sa"]
# Function to replace words with space
def replace_words_with_space(text):
for word in words_to_replace:
text = text.replace(word, '')
return text
df['text_clean'] = df["text_clean"].apply(replace_words_with_space)
df.head(5)
Out[15]:
| date | text | word_count | len | text_clean | |
|---|---|---|---|---|---|
| 0 | 2019-08-09 21:58:14 | Your post has been removed because it does not... | 59 | 354 | your post has been removed because it does not... |
| 1 | 2022-01-15 19:16:00 | Ugh. I am sick of seeing his face. He is so co... | 127 | 719 | ugh i am sick of seeing his face he is so cont... |
| 2 | 2022-10-24 16:25:16 | I’m not saying charges weren’t used, what I am... | 1608 | 8957 | i m not ying charges weren t used what i am yi... |
| 3 | 2016-10-28 15:10:41 | It's actually a callback to Tom Cruise's momen... | 289 | 1660 | it s actually a callback to tom cruise s momen... |
| 4 | 2020-12-12 19:53:11 | All caps titles are not permitted as per rule ... | 40 | 225 | all caps titles are not permitted as per rule ... |
In [30]:
freqs = defaultdict(Counter)
for term in concat(map(get_phrases, nlp.pipe(tqdm(df["text_clean"]), batch_size=400))):
freqs[len(term)][term] += 1
100%|██████████| 16342/16342 [16:24<00:00, 16.61it/s]
In [31]:
freqs.keys()
Out[31]:
dict_keys([2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 69, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 84, 85, 86, 87, 88, 89, 90, 91, 92, 93, 94, 95, 96, 97, 98, 99, 100, 101, 102, 103, 104, 105, 106, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 130, 131, 132, 133, 134, 135, 136, 137, 138, 139, 140, 141, 142, 143, 144, 145, 146, 147, 148, 149, 150, 151, 152, 153, 154, 155, 156, 157, 158, 159, 160, 161, 162, 163, 164, 165, 166, 167, 168, 169, 170, 171, 172, 173, 174, 175, 176, 177, 178, 179, 180, 181, 182, 183, 184, 185, 186, 187, 188, 189, 190, 191, 192, 193, 194, 195, 196, 197, 198, 199, 200, 201, 202, 203, 204, 205, 206, 207, 208, 209, 210, 211, 212, 213, 214, 215, 216, 217, 218, 219, 220, 221, 222, 223, 224, 225, 226, 227, 228, 229, 230, 231, 232, 233, 234, 235, 236, 237, 238, 239, 240, 241, 242, 243, 244, 245, 246, 247, 248, 249, 250, 251, 252, 253, 254, 255, 256, 257, 258, 259, 260, 261, 262, 263, 264, 265, 266, 267, 268, 269, 270, 271, 272, 273, 274, 275, 276, 277, 278, 279, 280, 281, 282, 283, 284, 285, 286, 287, 288, 289, 290, 291, 292, 293, 294, 295, 296, 297, 298, 299, 300, 301, 302, 303, 304, 305, 306, 307, 308, 309, 310, 311, 312, 313, 314, 315, 316, 317, 318, 319, 320, 321, 322, 323, 324])
In [34]:
freqs[3].most_common(10)
Out[34]:
[(('people', 'don', 't'), 854),
(('didn', 't', 'y'), 428),
(('new', 'world', 'order'), 347),
(('doesn', 't', 'matter'), 258),
(('don', 't', 'care'), 220),
(('long', 'term', 'effects'), 181),
(('new', 'york', 'times'), 179),
(('doesn', 't', 'work'), 169),
(('people', 'didn', 't'), 166),
(('don', 't', 'work'), 163)]
In [36]:
def get_subterms(term):
k = len(term)
for m in range(k - 1, 1, -1):
yield from nltk.ngrams(term, m)
In [37]:
def c_value(F, theta):
termhood = Counter()
longer = defaultdict(list)
for k in sorted(F, reverse=True):
for term in F[k]:
if term in longer:
discount = sum(longer[term]) / len(longer[term])
else:
discount = 0
c = np.log2(k) * (F[k][term] - discount)
if c > theta:
termhood[term] = c
for subterm in get_subterms(term):
if subterm in F[len(subterm)]:
longer[subterm].append(F[k][term])
return termhood
In [49]:
terms = c_value(freqs, theta=100)
In [44]:
terms.most_common(10)
Out[44]:
[(('don', 't'), 24262.75),
(('didn', 't'), 13016.9),
(('i', "'d"), 8614.692307692309),
(('doesn', 't'), 8402.2),
(('submission', 'statement'), 5046.0),
(('isn', 't'), 3923.0),
(('wouldn', 't'), 2452.0),
(('couldn', 't'), 2247.5),
(('many', 'people'), 2245.0),
(('wasn', 't'), 1782.0)]
In [50]:
terms.most_common()[-20:]
Out[50]:
[(('entire', 'thing'), 103.0),
(('heart', 'issues'), 103.0),
(('world', 'country'), 103.0),
(('last', 'months'), 103.0),
(('weird', 'shit'), 103.0),
(('t', 'digree'), 103.0),
(('iraq', 'war'), 103.0),
(('anti', 'semitism'), 103.0),
(('code', 'words'), 103.0),
(('single', 'time'), 102.0),
(('tucker', 'carlson'), 102.0),
(('american', 'citizens'), 102.0),
(('private', 'sector'), 102.0),
(('time', 'frame'), 102.0),
(('real', 'person'), 101.0),
(('lol', 'lol'), 101.0),
(('huge', 'difference'), 101.0),
(('serious', 'question'), 101.0),
(('good', 'place'), 101.0),
(('smoking', 'gun'), 101.0)]
In [51]:
##################################################################################
########### Creating Custom Toeknizer#############################################
##################################################################################
mwt = spacy.blank('en')
ruler = mwt.add_pipe("entity_ruler")
ruler.add_patterns([{"label": "TERM", "pattern": [{'LOWER': w} for w in term]} for term in terms])
mwt.add_pipe("merge_entities")
Out[51]:
<function spacy.pipeline.functions.merge_entities(doc: spacy.tokens.doc.Doc)>
In [55]:
print([w for w in mwt(df['text_clean'].iloc[1])])
[ugh, i, am, sick, of, seeing, his, face, he, is, so, controlled, opposition, so, obvious, where, s, he, pushing, them, i, changed, the, description, i, had, previously, lifted, it, directly, from, the, inspired, you, tube, channel, but, you, are, right, he, is, still, encouraging, people, to, get, vaxxed, with, the, faulty, injections, so, he, isn t, as, awake, as, he, professes, to, be, thanks, for, the, correction, shares, how, he, has, been, fully, red, pilled, and, what, is, really, going, on, lulz, he, s, taken, the, shots, and, still, pushing, them, dr robert malone, co, inventor, of, the, mrna, technology, shares, how, he, has, been, red, pilled, and, what, is, really, going, on, , caveat, he, is, still, pushing, the, experimental, mrna, injections, so, he, isn t, as, fully, red, pilled, as, he, believes]
In [54]:
mwt.to_disk('mwt2')
In [56]:
############################### tokenizing data ################################
df["tokens"] = [[t.norm_ for t in doc if not t.is_space] for doc in mwt.pipe(tqdm(df['text_clean']))]
100%|██████████| 16342/16342 [03:31<00:00, 77.43it/s]
In [57]:
df['tokens'].head()
Out[57]:
0 [your, post, has, been, removed, because, it, does, not, contain, a, submission statement, if, you, think, you, received, this, mesge, in, error, or, if, you, have, subsequently, added, a, submission statement, please, contact, the, mods, through, modmail, and, include, a, link, to, the, comment, with, your, submission statement, this, is, a, bot replies, and, pms, will, not, receive, responses] 1 [ugh, i, am, sick, of, seeing, his, face, he, is, so, controlled, opposition, so, obvious, where, s, he, pushing, them, i, changed, the, description, i, had, previously, lifted, it, directly, from, the, inspired, you, tube, channel, but, you, are, right, he, is, still, encouraging, people, to, get, vaxxed, with, the, faulty, injections, so, he, isn t, as, awake, as, he, professes, to, be, thanks, for, the, correction, shares, how, he, has, been, fully, red, pilled, and, what, is, really, goi... 2 [i, m, not, ying, charges, weren t, used, what, i, am, ying, is, the, mass, of, a, plane, will, definitely, go, into, a, building, especially, when, you, mix, force, from, the, planes, impact, any, explosives, that, were, in, the, plane, leverage, from, the, height, of, the, plane, the, temperature, from, everything, burning, don t, get, me, wrong, i, am, as, certain, as, i, can, be, there, were, explosives, planted, prior, but, i, m, speaking, solely, in, the, jet, fuel, thing, i, think, al... 3 [it, s, actually, a, callback, to, tom, cruise, s, moment, up, there, but, i, see, how, it, could, be, confusing, on, it, s, face, would, he, really, be, standing, on, the, couch, though, and, you, get, an, indictment, and, you, get, an, indictment, everyone, is, getting, an, indictment, joining, a, militia, and, taking, over, a, wildlife, refuge, beware, of, the, new, swiss, guy, who, s, really, good, with, guns, what, that, trump supporters, are, afraid, of, being, asulted, or, shamed, for... 4 [all, caps, titles, are, not, permitted, as, per, rule, please, repost, with, a, new, title, i, am, a, bot, and, this, action, was, performed, automatically, please, contact, the, moderators, of, this, subreddit, if, you, have, any, questions, or, concerns] Name: tokens, dtype: object
TOPIC MODELING - LDA MODEL¶
In [61]:
import tomotopy as tp
from textwrap import fill
In [111]:
k = 20
min_df = 100
rm_top = 60
tw = tp.TermWeight.ONE
alpha = 0.1
eta = 0.01
tol = 1e-4
In [112]:
%%time
mdl = tp.LDAModel(k=k, min_df=min_df, rm_top=rm_top, tw=tw, alpha=alpha, eta=eta)
for doc in df["tokens"]:
if doc:
mdl.add_doc(doc)
mdl.train(0)
last = mdl.ll_per_word
print(f"{0:5d} LL = {last:8.4f}", flush=True)
for i in range(50, 5000, 50):
mdl.train(50, workers=2)
ll = mdl.ll_per_word
print(f"{i:5d} LL = {ll:8.4f}", flush=True)
if ll - last < tol:
break
else:
last = ll
print(f"Done!")
0 LL = -10.9233 50 LL = -8.9924 100 LL = -8.8709 150 LL = -8.8022 200 LL = -8.7542 250 LL = -8.7232 300 LL = -8.6990 350 LL = -8.6842 400 LL = -8.6702 450 LL = -8.6571 500 LL = -8.6491 550 LL = -8.6412 600 LL = -8.6348 650 LL = -8.6293 700 LL = -8.6238 750 LL = -8.6207 800 LL = -8.6170 850 LL = -8.6118 900 LL = -8.6129 Done! CPU times: user 6min 42s, sys: 560 ms, total: 6min 43s Wall time: 3min 30s
In [113]:
########################### list of words remo removed ##########################
print(mdl.removed_top_words)
['the', 'to', 'and', 'a', 'of', 'i', 'it', 'you', 'that', 'is', 'in', 's', 'they', 'this', 'are', 'for', 'not', 'on', 'have', 'be', 'with', 'was', 'but', 'if', 'as', 'what', 'or', 'people', 'just', 'all', 'he', 'can', 'we', 'so', 'your', 'like', 'about', 'do', 'there', 'from', 'will', 'at', 'no', 'me', 'by', 'would', 'who', 'their', 'don t', 'an', 'my', 'one', 'how', 're', 'up', 'has', 'because', 'think', 'out', 'more']
In [86]:
import matplotlib.pyplot as plt
from scipy.spatial import distance
from sklearn.manifold import MDS, TSNE
def plot_topics(mdl, method="tsne", figsize=7):
fig = plt.figure(figsize=(figsize, figsize))
# x, y coords
term_topics_dist = np.stack([mdl.get_topic_word_dist(k) for k in range(mdl.k)])
if method == "mds":
dist = distance.squareform(distance.pdist(term_topics_dist, "jensenshannon"))
coords = MDS(2, dissimilarity="precomputed").fit_transform(dist)
elif method == "tsne":
if mdl.k <= 20:
p = mdl.k - 1
else:
p = 20
coords = TSNE(
2,
metric=distance.jensenshannon,
perplexity=p,
init="pca",
learning_rate="auto",
n_jobs=-1,
).fit_transform(term_topics_dist)
else:
raise ValueError(f"Method {method} unknown")
# size of the circle
doc_topic_dists = np.stack([doc.get_topic_dist() for doc in mdl.docs])
doc_lengths = np.array([len(doc.words) for doc in mdl.docs])
words_per_topic = np.dot(doc_topic_dists.T, doc_lengths)
topic_percent = words_per_topic / words_per_topic.sum()
sizes = topic_percent * (figsize * fig.dpi) * (figsize * fig.dpi) * (0.25 / 3.14)
# draw it
plt.scatter(coords[:, 0], coords[:, 1], s=sizes, alpha=0.3)
for i in range(mdl.k):
plt.text(coords[i, 0], coords[i, 1], i, ha="center", va="center")
plt.tick_params(left=False, bottom=False, labelleft=False, labelbottom=False)
In [114]:
################### plotting topics #############################
plot_topics(mdl)
In [115]:
for k in range(mdl.k):
print(fill(' '.join(s for s, _ in mdl.get_topic_words(k, 50)),
initial_indent=f'{k:<5d}',
subsequent_indent=' ',
width=100))
print()
0 god world believe our us religion truth jesus life bible which evil also know into things love
them religious then man power being tan book good these reality other human his everything only
read christian some why those am humans were true many when most real does see spiritual
through
1 water food also body eat drug cancer drugs use some health day than its get meat which oil high
diet been m used much cause when good other eating healthy ve natural sugar study animals does
drink bad weed years blood found dna studies doctor after had most well brain
2 trump biden election his president vote him democrats obama hillary republicans voting votes
republican party political both bernie were had left win media won right against she voted been
office than 'd did country clinton candidate fraud state democrat over states even politics
after elections didn t support trump s when only
3 post sub reddit here posts conspiracy twitter r banned comments internet facebook news now use
see account content comment google posted bots removed been m get posting site youtube users
shills information social media mods rule other censorship new user thread accounts bot these
some also find r conspiracy shit when shill
4 why m know even any y here doesn t 'd then ying being believe when them see did right some does
point actually isn t evidence anything make than someone t want wrong fact should mean get
really nothing those sure only something look never literally ve read talking which anyone didn
t
5 money government pay get than system own them why companies make work want our company business
buy tax need taxes us free only rich t then paid corporations those should power which when
into off market over debt k most use economy capitalism big year jobs also now wealth much
6 his him video guy some had did got man watch been show also know after very look really too 'd
real into didn t when good movie story lol stuff well could name conspiracy fake made
interesting why read shit thought videos time probably w dead himself sure never dude d
7 were had could also been when some where see _ then did video know down here m why off
something after into these before any building even time used other phone car very happened day
first found over ve find didn t 'd which d plane w hit around two still
8 she her kids children women child sex woman being these pedo pizza parents men gay them when
old kid why person pizzagate pedophile should sexual someone art girl m year man fuck make also
weird rape young pedophilia fucking pedophiles baby age porn family girls had shit school want
wife
9 white were jews black racist right anti left race jewish them against media hate nazi political
america israel group country culture nazis being these racism american groups history also want
movement over its white people black people both see antifa hitler society other americans only
many violence those muslim power blacks muslims
10 covid virus mask masks flu deaths were wear pandemic been spread test had wearing death cases
numbers coronavirus than china positive sick also die why died disease cdc viruses data testing
lab population work lockdown infection science year infected which symptoms hospital fauci when
tested lockdowns health hiv number being
11 submission statement removed post link does please comment mesge through been error received
contact include mods added receive contain responses subsequently modmail pms bot replies ss
lol oh wow rule conspiracy looks posted fuck meme bro picture deleted interesting r bruh
headline biden btw blah probably rcasm damn fauci tire stop vaxx
12 which than some most were other very these our been any into only way them time those many
could also much even years used such may its us being make use well point through had based
however when read need population system different without where world own etc new part
13 police government law were gun should them his state guns him cops laws against had rights get
did crime legal when violence case right court killed kill murder then why any shot illegal 'd
freedom those blm protest person didn t country force protests after these death being stop cop
arrested
14 earth space moon science see sun theory believe aliens flat earth flat energy our its light na
technology planet look alien scientists years us know real does water why could into sky around
evidence which scientific universe ufo something gravity climate change some other time then
miles been stars tesla now also
15 vaccine covid vaccines vaccinated get had medical after getting take been virus got vaccination
shot were vax data these risk pfizer body science also doctors unvaccinated health know now
doctor cause against death shots still disease mrna vaxxed fe side effects than dr effective
studies die autism months study jab cdc
16 m get them going know now ve when go us some even been too t really time see right want being
then back shit got way good here something never much need take everyone make lol most our
still y off down into things than sure d well maybe over
17 us russia war china ukraine country military russian israel putin world government american
countries our america them been iran its against propaganda were chinese u also over now cia
oil nato why u s syria isis attack west iraq foreign wars weapons americans europe president
power state into nuclear after russians
18 trump his q evidence were had fbi epstein been investigation him emails cia did russia after
which clinton information also russian story 'd president government obama report wikileaks any
involved now caign public hillary being case intelligence then documents over before news under
time source rich dnc political into former
19 bot any please concerns subreddit am questions action moderators automatically contact np
performed reddit link why account while required np domain protect other users helps accounts
both requested when accessed here reddit link crossposting administrative shadowbans use www
participation domain archive replacing r privacy open web load summon faster shared ss google s
u utatorbot article cnn controversial
In [116]:
def print_topic_docs(topic, n_best=3):
topic_weights = sorted(
[(doc.get_topic_dist()[topic], i) for i, doc in enumerate(mdl.docs)],
reverse=True,
)
for i in range(n_best):
print(fill(df["text"].iloc[topic_weights[i][1]],
initial_indent=' ', subsequent_indent=' ',
width=100))
print()
In [118]:
################# top retruns with respect to topic - 10 #################
print_topic_docs(10)
lol. Yea if you buy the parts at an American store who resells Chinese stuff :) Pretty sure you could build one for <$1000 No. THIS is an assassination drone. It's about 3500 with goggles and cameras. We're doomed. More like a quadcopter with an extra servo and gun, build one yourself for $400 excluding gun. SS: Exposing Bill Gates, Anthony Fauci, 5G Danger, Coronavirus Psyop, Mandatory Vaccination, Kobe and more. Think for yourself. >welfare recipients > >working people These are not mutually exclusive lol you can use nature to expand, many people have used natural environments to create a new world. anything is possible if you want it to happen For example the Amazon rainforest is being cut down/ burned down, all for the sake of more farm land. Expanding to new areas is going to decimate nature even further. We don't need more of the world covered in cement. I have four kids. Don't ask me... Do realise we are straining for resource because as populations move to cities and don't expand out. To survive we need to expand to new and different areas, also create more resources No excuse it can be done, rich are keeping too much of the resources for them self or for even big corporations. Then charging every one else at a higher rate We don't need anymore people. Mr. Asteroid, please hit the Earth soon. But actual elder care is still extremely labor intensive, and more importantly, most social security systems are predicated on population growth. I tend to agree in theory about population growth leveling off being a good thing, but there are some pretty massive financial barriers. If you're in favor of a lack of population growth, there are some significant problems left to solve, and it doesn't seem like "technology" will be sufficient. LOL! >just because you can't cook I'm not a woman Lol just because you can't cook you want the government to jump in and tell you what you can and can't eat. It is categorically cheaper to eat healthy as you just buy vegetables and some meat and cook it. American food is full of chemicals so you're right in that one. But you're addicted to sugar and those chemicals and you need to break that addiction. The government want a fat lazy population. Nobody who is 300lbs is going to red dawn it are they >Obesity is a huge issue How about you look at the food that the U.S. government allows us to eat... They could easily regulate it or at the very least make it more affordable for us to eat healthy. I've tried to eat better, but in addition to not tasting as good it can cost me twice as much. Yeah but so is basic health. Ppl are fat and greedy and lazy. Many men are fat and don't exercise. So it's easy to blame all the chemicals in the water but correlation isn't causation. Obesity is a huge issue True that. I guarantee welfare recipients produce twice as many kids as working people The stupid people are still out populating the rest of us though Upvote for kratom. Right I guess the young won't be able to care for all the old people. But I think that's a silly argument because we have more technology now more than ever. Technology has to replace some of the caregivers need at any given time. I'm a bit confused by the article. Why would it be a bad thing to have less people in a planet that is already strained for resources? At the same time I think these " reasons and observations" they've made may be intentional finger pointing away from the vaccines. My guess is we haven't actually seen a population decline but the vaccines will infact create such a decline. Many say that Covid causes infertility, but again I feel that is just misdirection so the vaccine doesn't get blamed.
In [119]:
################# top retruns with respect to topic - 10 #################
for topic in range(mdl.k):
print(f"Topic = {topic} ({', '.join(s for s, _ in mdl.get_topic_words(topic))})")
print()
print_topic_docs(topic)
print("--")
Topic = 0 (god, world, believe, our, us, religion, truth, jesus, life, bible) Somalia is that way, no annoying regulations The government works for those that have money. It’s an oligarchy and very much capitalist I don't even live near Dublin mate, I live in a small town Palestine Just don't try saying something like 'all lives matter' Tell that to all the small shop/pubs/post office owners in all small towns in ireland. You're speaking dublinese I wonder. You have a very backwards view of Ireland, we are not a poor country that just wants to get on with it, in fact Ireland is 4th in the world in GDP per Captia The Holocaust was nine gay guys in a rollerblading accident Hmm prohibited territory... Interesting At least in America some people want freedom in other countries ireland, china, African countries and Russia people are so beaten down by war poverty and powerful monarchies shittin all over them for generations now they jus want to "get on with it" Problem is "gettin on with it" means "do what I'm told" Feel the tug sounds like a rival scandal to go head to head with pizza gate Harry Potter was a *wanker Wander* how about just trying to support BDS - It's hard for a reasonable person to provide an argument why it wouldn't be well deserved, but it generates much of the same reaction, including attempts to pass ridiculous and unconstitutional laws that make it illegal or remove government funding if you support it. agree. chomsky is a gatekeeper. Proofreading is what got Lisa Simpson a seat on the spaceship. I read Parent's book about Julius Caesar. Assassinations of reform-minded leaders have been going on for a long time. i guess i own your ass. can you run a tractor? the north forty needs attention I figured its a pun, bc the wandering is figuratively so wonder imo fits well here. If you want to discover who owns you just try denying the Holocaust. ITT: Beta cucks who have never "Felt the Tug". no Parenti was where it's at. Listen to his lecture on conspiracies, it's fantastic. The "academic" left like Chomsky sold out long ago. He derided 9/11 truth during the Bush admin of all things. And now he's just 'orange man bad'. You'll make it....and you're smart enough to know what it means regardless. That and the effort in getting all upset about a spelling/grammar issue is better spent elsewhere. Pisses me the fuck off Is this in regards to nick cannon? I wandered over here to type that very thing. This was exactly my thought. Žižek is always good too imo Ive read torturers say the fear of torturing a prisoner is worse than the torture. As they start and in early stages the fear and anxiety is what makes it worse fir the captive but after time the caprive get used to it and sees it as an illusion of fear and the feeling subsides. It's at this point the torturer will not reach his outcome and must either give up or kill the prisoner/victim. Blackshirts and Reds is a good ass book. Chomsky too. damn thats a great quote. He saying wonder like in your mind Solid quote This is the comment I needed. Thx. I wander if he wondered to prohibited territory Really glad to see Parenti being posted on this sub. Him and Chomsky really opened my eyes to how our society functions. Whenever I wonder, I wander. I wandered about that too. I know it’s killing me :/ Best quote I’ve heard in a while. Very nice Wander* Michael Parenti on the bounds of freedom. Free speech has always been an illusion, including in the US. Plenty of people throughout history have felt the tug. Excellent article. We need a task force. The cops are cock blocking rescue for kids. That's gotta stop. Also, we need to eliminate access. Change the dialogue is. Give people the eyes to see. I believe her. Gonna read it and brb. Another example of high level players claimed to be involved in a pedo ring. Here are some more example, U_R_L Archive.is link Why this is here. *I am a bot, and this action was performed automatically. Please contact the moderators of this subreddit if you have any questions or concerns.* -- Topic = 1 (water, food, also, body, eat, drug, cancer, drugs, use, some) Your post has been removed because it does not contain a submission statement. If you think you received this message in error, or if you have subsequently added a submission statement, please contact the mods through modmail, and include a link to the comment with your submission statement. ^(This is a bot: replies and PMs will not receive responses.) I’ve seen 3 videos of cops handling bricks, all were taken in as evidence. If you have something that contradicts this, please share. Even if the bricks are bring placed, what does that say about the protestors? Given a chance to do bad shit they can't help themselves? Sounds like shit people to me. Yeah, cool story, huh? You can search easily for these. Just search "cop dropping off bricks" or something similar. I'm convinced the death of that cop is another escalation attempt by the cops. They killed him so they can blame "protesters and ANTIFA" and go full gestapo. No video, then well its just a cool story. Another example of how science is easily bought. Peer review is corrupt, our research labs are bought, the Universities are corrupt, the FDA is corrupt, the CDC is corrupt, the WHO is corrupt, and big pharma are the most powerful corporations on earth that influence it all. But people still trust modern science? From 1991 to 2017, a total of 412 settlements for a total of $38.6 billion were reached between fed and state gov'ts and big pharma for defrauding regulators, falsifying science, bribing doctors, lying to the public, and for killing lots of people. Why do you trust them? This is what happens you remove moral incentives and replace them with financial and corporate incentives. Science in a society with no moral foundation is useless. Why would anyone be swayed by brainwashed kids? What happened to the Acid Rain from the 70s? SS: This is some bullshit. TPTB trying to force the Paris Climate agreement down our throats using cute kids as well as kids giving you the stank eye. -- Topic = 2 (trump, biden, election, his, president, vote, him, democrats, obama, hillary) Are you also suggesting that the astronauts are attached to wires? The jumps "at normal speed" are suspect. How do you get that air-time on earth? The original tapes of many of the landings are still available. Only the Apollo 11 tapes were recorded over. To say that "NASA misplaced all of the original footage" is an outright lie, but not surprising coming from somebody without the ability for critical thought beyond "everything mainstream is a lie!" "Kick up some sand when you hop around like a bunny! Yeah that looks real good" -Stanley Kubrick Back to the stars. The landing Slack you maniac I'd like to see some evidence that the claim made by this video is true. How do we know it's not just footage that someone sped up digitally? What's far more compelling is the **fact** that NASA "lost" the original tapes. - U_R_L what song was that? not at all. i don't believe in trying to use a broken system to fix a corrupt one. i leave it for the idiots who want to play at making a difference. So how buttmad were you at the election results? nice anecdote, you should take it's advice. Brendan Fraser? Yeah, he's not even president yet and that sub has been around for over a month. In fact, for the first 5-6 weeks of that sub being created, there was only ONE user submitting all content to it. that wasn't a look of confusion and fear, are you sure you got the right picture? done being my bitch? already? i was just getting warmed up, we didn't even pick a safe word! thank you for the picture sweetie. better luck next time sweetie. you lasted longer than most. that was a sad effort. try again and don't bore me this time, or you can't expect any more human interaction from me. Lmafo k if you were any more dense i could line a fallout shelter with you to avoid radiation. I don't know about "everyone" but several comments have been removed and several warnings issued. i hope everyone involved got a warning, though i'm the one speaking against the echo chamber, so i assume i'm the only one being reprimanded. i'm glad you agree. i'd say there is hope for you not being an idiot, but even a broken watch is right twice. Rule 10. No personal attacks. Removed. 1st warning. Rule 10. No personal attacks. Removed. Final warning. you can't thrive on something that doesn't exist. though i wouldn't expect an idiot to understand that. why would i take an idiots word on anything? Rule 1. No bigoted slurs. Removed. Rules 4 & 10. Removed. 1st warning. there is no excuse for you, and typically i blame idiocy of your level on poor public schooling and the mothers nicotine habit. you don't need daddy to hold your hand, you can figure it out on your own. if not, then i can see why the world is in the shape it is. nice try idiot. no need to back pedal now. you're two for two! keep up the good work of being a valueless idiot. i'm sure something is proud of you. no, you just love to say you would, as it helps with you cope with your misery. there are plenty of ways for you to get me to kill myself, but talking about it is much easier than doing anything about it am i right? your attitude is the reason life is shit for so many people, you included. don't pay me any attention though, i'd rather say i told you so at this point. if all society can do is bitch loudly about their problems they deserve everything they are going to get. I'd love to, if I could in any way. you do a good job of proving me right. what with never saying anything with value. if you weren't such an idiot you could share in the humor with me . >I have nothing of value to say at all FTFY do you copy other peoples statements often, or just when you have nothing of value to say? make me. considering our current run with taking action, i don't see myself committing suicide any time soon. you can't think of why i might have called you an idiot from what was said? i see i was correct in my observation. still confirmed for idiot. confirmed for idiot. thank you for participating. Treat it like the $2 whore it is. Get what you want from it and keep it moving. found the ignorant trump supporter... he says, in one of reddits many echo chambers. Only that the whole fucktarded site would be a sponsorship for HillaryClinton and a million cult-like pedophiles. Quit giving the sociopath air time! Impeach Trump lol they really are a bunch of sore losers... its how they wanted to get HRC into the WH, with an October approval rating of 13%. Today's posts in this sub are the first references I can remember to that sub. Presumably this is because I don't look at the default front page ever. Sometimes i just get a reminder on how insanely hopeless this world is - It was right. Like Herr Rumsfeld used to say: we've still got dead-enders out there, so going forward we'll see these onesies and twosies. spez told us we wouldn't know which posts were sponsored. someone paid their dues, right r/spez? its like bizarro opposite world Why are you still here then? Or the truth lol Guys, check out the user "wenchette" who posted that. A moderator of /r/hillaryclinton, /r/democrats, /r/Impeach_Trump, /r/gogopgo. Every 24 hours she posts 7-14 new items, 100% of which are either anti-Trump or pro- Hillary. Talk about a full-time job. She also seems to have deleted the post we're discussing. I guess she knew people were on to her BS. People think more critically than you, outside of your little safe-space on the Internet. I'd bet you don't talk about skeptical subjects much in reality, probably makes you uncomfortable. Hmm, How did TWO posts about an /r/HillaryClinton post with 49% approval and 0 upvotes landing on #21 on /r/All get 400 upvotes EACH on /r/conspiracy/ in a few hours? Your latest talking points are a joke. It's funny, comments like yours aren't seen nearly as immature as "kys", but it is. Fuck yourself, dude. People think more critically and with more skepticism than yourself. And that offends/scares you? Too fucking bad, you mouth-breathing idiot. That's why I don't even take front page seriously anymore. Even voat.co is more relevant. The memes were truly powerful. Amazing how effective they are at highlighting absurdities, contradictions, etc. I knew nothing about Trump, but decided to take a look because of the influx of spicy and hilarious memes on Twitter. No biggie people, just Government Propaganda. How do you people remember to breathe? That and blockchains they need to fix their algorithms.. I'm sure it was an honest mistake!!!!! Shit definitely progressed fast. Cheese Pizza Biden? I'll take another political loss of we can get those kids in the spotlight. Wait, that's from /r/all?? I saw this too.. I was wondering if someone else would see it This digressed quickly huh? It really is...to me it looks like another plot by the admin of reddit to try and drown out T_D from the front page / searchs. and this post is indicating that the admin are clearly working in the interest of HRC/DNC/Soros so it's really not "too crazy" to think theyre creating this propping up of a random celeb who's popularity dwindled because of his hair line. We needed a meme war between Bernie and Donald, April Fools Day was glorious. Biden will be 78 in 2020. He won't run. So she thinks. They keep pushing this narrative and a civil war is brunt to erupt; There are worse things then prison mind you; I doubt the usa is as obedient as they take us for- Of the democrats are planning on running on memes in 2020 they REALLY don't know what they're in for. I'm not a Donald supporter but damn the Donald can make some spicy memes. They got Pepe classified as a damn hate symbol. Those guys know how to get memes into the public eye. Aww looks like someone beat me to it...oh well I'm glad the info is getting out there Even they are too embarrassed to hang out at r/hillaryclinton. They like to hide behind the mask of r/politicaldiscussion because it makes them feel better inside. If it was you or me, we'd be so deep in a SuperMax an hour of sunshine would be generous. She has money and influence. Nobody is going to touch her. That sub is also sketchy as fuck. It's obviously poking fun at T_D. It's called topic dilution. Creepy Biden would get crushed anyone else put together yet that this is the biggest insult to law institutions on the face of the planet... FBI; You just let this B$%ch rub her cun't on your badges and were told to say YOU LOVE IT- I am still waiting for your response to her- THE WHOLE WORLD IS WAITING FOR YOU TO ARREST HER?!?!!! WTF why is it that way, if they were all supporting HRC wouldn't they just go to the namesake sub? I hope not. I hope it's Warren. Not only that, but it was locked before it hit the front. Wouldn't want any ugly opinions.... Like I'm going to listen to a guy in a turban that says he's a cop. Seems they have already locked and archived the post!! I don't even know what to think of Reddit anymore... You might be underestimating the popularity of niche memes. The dude from the mummy has his own subreddit that has a fuckton of upvotes and has reached the frontpage several times already in a small amount of time. I'm not discounting the obvious pay for frontpage placement of Hill's stuff but them Biden memes were pretty funny and popular. Its the fake news narrative, basically MSM and the outgoing O'Bummer admin trying to keep brainwashing like they used to How did they get 21k upvotes on 3 different videos the DAY OF creation? Might want to watch that video "How I reached the Front Page of Reddit", they bought upvotes. When I saw it it was already locked. The Biden bro memes were pretty funny, I could see 50k subs in a few days. Hey u/spez what the fuck is this? It's a dead sub. It was never a popular sub compared to places like /r/politicaldiscussion, which was (and still is) the real Hillary sub. They've been paying for upvotes and influence on this site all year, just look at that sham sub /r/bidenbro that got 60k subscribers in its first few days of being created and had the 2 of the highest upvoted posts that month. Seems obvious they're trying to make him the next Dem candidate. You can't force memes, shills. The honour is yours if you want it. Cross post this over at /r/watchredditdie. I'm sure they would appreciate it. Oh you still care about a narwhal Remember when all we use to care about was narwhals in the early days. And we made them get to the front page😔 Lol it's so sad. I try to not care but shit like this happens so often, it's hard to forget about it. She can definitely pay up While not required, you are requested to use the NP (No Participation) domain of reddit when crossposting. This helps to protect both your account, and the accounts of other users, from administrative shadowbans. The NP domain can be accessed by replacing the "www" in your reddit link with "np". *I am a bot, and this action was performed automatically. Please contact the moderators of this subreddit if you have any questions or concerns.* Here's the post Edit: It's been suspiciously deleted since this post gained momentum. Pay to play haha. Have you read this article? I think that gets to the source of it. U_R_L I agree And especially after his company didn't actually do any real trading according to other firms. So what professional business matters were discussed with this drop out? Especially after his conviction. Nah. If you associated with this dude on the regular, you need to explain in detail why to the entire world We MUST not jump to name names..... bill Clinton lol, I think they are all greedy scum bag fucks that would kill me my wife and kid to stop me from showing a video of bill not washing his hands after he takes a piss, but don’t put a post up telling everyone not to accuse , than accuse ... jump on whatever narrative bandwagon you believe in and put some hard evidence and theory’s into the post The fbi is about to ‘produce a witness’ from their compound raid. I wouldn’t believe anything this person says. -- Topic = 3 (post, sub, reddit, here, posts, conspiracy, twitter, r, banned, comments) Does no one know what rockets are anymore? The exhaust trail gets illuminated like this by solar energy as it gets high enough. >First point would be that we are just learning what the actual indictment is, that in itself is post worthy. Why? We knew what she was being charged with already. >To the second point, you didn't listen to the video if you are asking these questions. I did, and I am, the mother not wanting to press charges doesn't mean anything, it's not her decision, so again, what's suspicious about these indictments? And that's my point, he admits he doesn't know then says he "talked to people." Who? How do we know they know what they're talking about? Raise any point he does in the video and I'd bet I can explain why it's not "fishy." Should I get mah pitchfork? First point would be that we are just learning what the actual indictment is, that in itself is post worthy. To the second point, you didn't listen to the video if you are asking these questions. In reference to what he "doesn't know"...again, if you watch it he makes clear it is related to places he does not have jurisdictional experience with. In the exact same way in which a New York bar sanctioned lawyer might not understand exactly what the process is in a Louisiana court. Similarly law is a specialized field like medicine. Not all lawyers have read and understand all bodies of law. In these areas the blogger is only being honest by admitting to gaps in his knowledge and furthermore he has conferred with lawyers that do understand it. Because of his disclaimers and consultations he is on solid ground to speak to these aspects of how the justice system works. How is the indictment document fishy? It’s just a recitation of what the grand jury found probable cause for... Edit: lol just watched through parts of the video he literally says multiple times he has no idea what he’s talking g about and is relating information from “lawyers” SS - Millie Weaver arrested on the day she releases a video on the deep state. Law splainer on YouTube points out how fishy all of this is. Note: this guy has done some great videos on the Flynn case, well worth checking his channel out. Are you serious? Utilities, replacement equipment, cleaning equipment, replacement parts for bowling alleys have all gotten more expensive. Imagine thinking anything other than the rich are insulated from Bidenflation. Why is NC so expensive? I live in upstate NY and things are still as cheap as ever, here.. Things used to be SUPER CHEAP, but still are, even with the prices going up like 8-10% around here, on average.. You can easily find a one bedroom apartment situated in a 2 story split house, for 500 a month, utilities included, right on the edge of downtown Rochester.. Live outside the city and it can get even cheaper.. Go to the hood and you're paying peanuts, but careful not to catch a bullet, and if you're white, like 15 people will try and sell you drugs all at once every time you walk out the front door.. But the hood is old schooi here, it rarely crosses the tracks, lol, except to hit the grayhound. Oh, and bowling here costs 5 bucks a game. Lol. I'd rather go to the trampoline park, or Lasertron, though.. How long does it take to play a game? 15 minutes? Not worth it They still do they're just capitalizing on peak times... I'm not a socialist but I am sick of greedy capitalism but in saying that I'm a fool because a capitalist is always going to capitalize on every chance they have to increase their profits. I mean this ain't normal, the decent lanes near me are $5 a game, $12-$15 an hour Just go somewhere else, How have the operating costs of a bowling alley affected by inflation? “Bidenflation” lol listen to you I mistook. I meant to say $8. Would you just play one game? Greed is a possibility, for sure, but then why would they have it at $12 a game just a few months ago? They told me they changed the prices 3 weeks earlier. It was $12 or so per game. $12 Same thing. Those prices are not new at that location. It's a pretty busy spot. Pain at the lane, when will it stop? How much was it per game? Yup. I wanted to go bowling last month. 3 hrs $60 per person, not including shoe rental. No, this is what GREED does. I never used it have to pay this much to bowl. It used to be per game. Now it’s per hour, and the prices are truly insane. This is what reckless spending does. -- Topic = 4 (why, m, know, even, any, y, here, doesn t, 'd, then) Read the rules. It's a relevant meme. I think the poster just thought this community would find it funny. relevant to the community... I thought it was funny Dude get over yourself. Like you said it’s just a meme. Where is the rules banning memes in this sub. Please do yourself a favor and lighten up. Dude get over yourself. Like you said it’s just a meme. Where is the rules banning memes in this sub. Please do yourself a favor and lighten up. Where's the conspiracy? Seriously? Didn't know we were meme posting on r/conspiracy now. Sick repost too. U_R_L How many times does this need to be posted? Look at these comments too.. She had a foot long dick! Did you just attack him ad-hominem by saying he always attacks other people ad-hominem? Good meta, criss-cross applesauce! I like it! 10/10 Thanks for sharing this! It could not be more funny. I found it funny but this isn't a comedy subreddit. YOU'RE FAKE NEWS I'm dead........🤣🤣🤣👌🏼👌🏼👌🏼👌🏼👌🏼 Why are you so uptight that you are unable to just laugh at something funny? You're comment history is so full of ad-hominem attacks directed at people in this sub. Please, for love of God stop taking yourself so seriously. This is literal Fake News. The interaction never happened. Why the fuck is this here? This is a fuckin masterpiece I thought this was real for a minute lmao SS: Someone spent some real time and effort to splice together some of the most bombastic things Jones said on JRE with Dr. Phil's JRE podcast. Sounds like he was into an earlier form of masonry then. Plato has Socrates describe a gathering of people who have lived chained to the wall of a cave all of their lives, facing a blank wall. The people watch shadows projected on the wall by things passing in front of a fire behind them, and begin to designate names to these shadows. The shadows are as close as the prisoners get to viewing reality. He then explains how the philosopher is like a prisoner who is freed from the cave and comes to understand that the shadows on the wall do not make up reality at all, as he can perceive the true form of reality rather than the mere shadows seen by the prisoners. Socrates remarks that this allegory can be taken with what was said before, namely the Analogy of the Sun and the Analogy of the Divided Line. In particular, he likens our perception of the world around us "to the habitation in prison, the firelight there to the sunlight here, the ascent and the view of the upper world is the rising of the soul into the world of the mind". woki Allegory of the cave~ Nice Mencken, Bierce, Montaigne, Russell, all good stuff. Can't stand Gandhi though. More with Pics I agree on principle but I think they would still need to be challenged in court and I doubt it would be an easy battle. the problem is the EOs are unconstitutional. Your right to life, liberty and the pursuit of happiness, the ability to work a job and earn a wage, or operate your own business, etc, are inalienable rights. An EO doesn't just erase those. A lot. I worked for the district of Trier, Germany in assistance of the District attorney. No I didn’t. The liability is the difference in this case. The distinction is only based on the EOs wording. That’s all. I agree the risks are the same and probably way worse in a Walmart. I don’t care if a bunch of dudes want to get sweaty together in close humid quarters but they should know it’s against the current EO and if they spread the virus that makes them liable unlike the Walmart case where you are aloud to go. But I would add that if the local store doesn’t recommend masks (as an example) but requires it then they could refuse service and you would assume the liability. This is about who gets hit with the bill, not who is being safe. Wow pro police propaganda on this sub? Never thought I’d see the day I know plenty there's no need discussing anything with an emotional psychopath like yourself. You're dangerous Curious, how many German police officers have you met? Like irl? How many tik tok videos have you made though? why? If the gym follows all the same mandated safety orders required for the savages in Walmart whats the problem? Most gyms I've been to people tend to socially distance better on a normal day than anything I've seen in a walmart during the pandemic. Most people who are sweaty, dirty, and possibly smelly don't like to be that close to someone else. And most people in gyms disinfect the equipment they use better than some underpaid Walmart worker will disinfect a grocery cart. So what the fuck is the problem? If they are wearing masks, keeping distance, and disinfecting equipment why should the gym be liable when a Walmart isnt? I agree with you though I suspect there are alot of "quiet" gun owners especially in the states like NJ that don't follow the constitution. No point to be out spoken and then get police bullshit warrants pulled on you when the rest of the population isn't ready to stand up too. But at some point, yea, people gonna have to start openly walking the walk No, just not necessary i have some in my car if i deem it crowded enough to need one Nah cause who said you'd get it there more likely get it from a supermarket No more ‘if’s’ they fucking duped us. It was and Is a fix, they snagged the money and they are slowly pulling their dicks out of our ass before we wake up They gonna get arrested tomm tho The gov is an asshole. I hope that cop doesn't get fired give this man a donut Sure 😂👍 Everyone on line is on the frontline & boy is it bad lol This is a made for tv made for the internet pandemic. This shit is fake AF. No one in real life has it. No one knows anyone that has it. Everyone is fine. & then you have bozos like this pretending how bad it is lol 😂 I can’t wait either! They’ll be non-newsworthy because of a lack of cases but that won’t stop MSM from reporting “skyrocketing spikes.” Fucking clown show. Yeah god forbid you fucking learn something. I'm not reading all that. It bothers me you get this emotional by people questioning you. Lotta fuck bombs from an essential worker of God's country. All I said was ventilators aren't as dangerous as this guy was eluding. Did you ever get a lap chole? We ventilated you. Did you ever get a lap appy? We paralyzed and ventilated you. What is dangerous is trying to use high peep and pop open alveoli that are already open. We use high peep in ards sometimes. There are two types we are seeing in the units, l and h types of presentation. Classic ards presentation (high peep helps) and what's seeming to be a diffuse microemboli ( high peep hurts). None of us want to intubate these patients (it's dangerous as fuck for us and a bad sign for the patient outcome) but if they need it, they fucking need it. If theyre on bipap, or hfnc and prone and theyre still turning purple wtf should we do? Shrug and say good luck? Is there some magical antidote to respiratory distress that we shouldn't be ever using ventilators? What exactly about using a ventilator on an actively asphyxiating patient is suspect? What should we do instead? He’s looked like that the entirety of this ordeal. Every time he mentions how bad the economy is, or how much people are struggling, he literally can’t hold in a chuckle. Dudes about to be getting PAID and he loves it. If I pay for health insurance it would be stupid of me not to use it. What’s yours is mine also comrade. Lol i have not worn a mask in a store yet. Your backing of the ventilators You said my experience was suspect. What about it exactly? If you have family that is actively dealing with the patients ending up in tertiary care then what about anything I said is suspect? Yes because I question you I can't possibly have anyone in my family that is even around any of this. Fucking believe what you want. Idgaf. Call it suspect. HCWs actually go on reddit and read shit and post. Surprise we're people too. I'm just telling my experience. Don't believe it? Go talk to a provider who actually Fucking takes care of these patients. Not some out of work urgent care pcps or surgeons who are losing money. Go tertiary care intensivists, pulmonologists, etc. They'll tell you the truth because they see the covid cement in these patients ETTs. Some requiring daily changes. It's fucking gross. Nope That will not work. People will do what they are going to do. They can’t even get people to follow whatever rules in a grocery store. It’s all a waste of time. People need to take responsibility for their own health and do what they need to do. If you think something is unhealthy for you than don’t do it. Stay home. If you are willing to take a risk than it’s on you. I am fully capable of noping out of stupid things other people are doing. If everyone jumped off a bridge would you? I know i would consider the risks first then act. But I grew up in a world where not everyone got a trophy and if you stepped off the curb you could be run over by a bus. So YMMV. I am ok with people doing what they want to do. I would not choose to do that. This is suspect. You sound like the movie Shindlers list. “I am an essential worker !” Think about that. You don’t get to decide what is essential for anyone else this is AMERICA Nothing will replace boots on the ground. Not drones, not robots. Hearts and minds. It's not just a reminder of proper shot placement. Completely curious as to why you think this is the end game? I would hazard to guess their were individuals in 1918 that said the same things you are. Ps they were wrong Yep i am agreeing with you. It’s a dumb risk to take when we literally don’t know and if people tell you they are certain of anything with this virus they are full of crap. Sorry you don't get excited about seeing people excited. You sound like a fun person. Air supremacy is supremacy I would not be in a crowd. I am 5 feet tall all breathing, spit, sneezes, coughs are over my head usually. No thank you. I also don’t normally touch or breathe on everything in sight. As a child i was told “you see with your eyes not your hands. Don’t touch everything.” I am 50 it has served me well. Not a must watch... Imagine believing the msm, just imagine 🤡 You realize people who are too stupid to take some precautions as we start to open back up and the same people who have taken zero precautions already. Also people who go to the gym seriously are usually picky about their body and health. I will be going back to our gym next week. I will wipe equipment down before and after i use it. And i will steer clear of the locker rooms and not go when it’s busy. I don’t want to get sick from going but i also want to get back to being fit and working out properly and getting my heart rate up. I walk daily with the dog but that is not near enough exercise and i don’t wear a mask while doing so. Why because i avoid people typically Good cop. Every business is essential. I guess your a commie socialist hiding under your bed collecting govt handouts. Yeah right around election time. We can’t do a second lock down. We must stand up to it and awake up to the fact this is not a left vs right issue. This is for our lives. I would argue drones are still significantly more effective and cheaper Idiots. How is a gym essential? When they get the virus will they be paying out of pocket for their own treatment? Because he is! "I also don't want to start WW3" yeah too late buddy lol I wondered if this is agenda 2020, to kill off rural class and only those in locked down cities survive to see 2025 when that population for cast hits 50m us citizens and not enough to pay debts leaving the us broken up like that 2030 map. Fair enough It’s what I meant, just not as clear as I thought. Probably because he's rich as fuck. Why the fuck does he look like his having the best time of his life during this interview. Drones are 2019 compared to Boston Dynamics big dog 2nd amendment is the most important in my opinion but yeah Jersey is terrible with gun laws. Might even be the worst in the country. I don't understand it. You are right. But I was mentioning the irony of even people I know personally who don’t like certain rights or don’t care about them unless it affects them directly. If the 2nd wave is going to be worse, then why is the rate of growth for deaths in states that have been open for 2+ weeks (Texas, Georgia) not increasing? That’s fine, it’s just not what you said in your original comment. And now you know why the US never had a major fashist takeover so far and Germany managed to kill 10 Million people in the camps. German police never will never question authority. Tell a German police officer to shoot his child. He'll ask "Head or Chest?" You just got done calling people snowflakes and now you're gonna complain about buzzwords? Boston Strong! I've only seen are a handful of stories of the lockdown and social distancing policies actually being enforced. Most of the fines seem to be ridiculous as they target individuals only. Protests in Michigan, no fines or arrests. Thousands at the beaches, nothing. Hundreds out for Cinco de Mayo, nothing. A few thousand at a Jewish funeral, nothing. By the looks of this owner, I bet he owns guns. Awesome. Tho if the cop acted like a dick pretty sure he would've been bench pressed. Police are awesome! God I wish you were right. Unfortunately this shit is real and it's worse than you think. I deal with it every day at work. It's a living fucking nightmare and it is not like anything I have seen in my past 7 years of medicine. Everyone is scared except for most surgeons who are more concerned about their drop in income. Most our tests are coming back negative for outpatient surgeries, which is what I'd expect if they're somewhat accurate. Our hospital literally refuses to test the employees because they don't want to increase the number of people that are covid positive. And now there is a push to stop testing altogether because they're "losing too much money". So bad news is this shit is real. Also we use ventilators all the time for healthy people during elective surgeries because often you are paralyzed so we have to ventilate you and there are rarely complications associated with ventilator usage unless you're giving like 1L VT each breath which could cause barotrauma. I hope you take precautions to keep yourself and family safe. Good luck \+1 The problem with this disease is its two-week incubation period and high rate of asymptomatic cases. As far as I am aware, I believe I contracted coronavirus after a flight and developed symptoms 11 days later, including shortness of breath and a low-grade fever. A few days I showed symptoms and had begun isolation, my father did as well. I likely passed it onto him during the period where my fever had not yet developed. If I had been to the gym during that period, I could have infected many more. Ironic. "We think so far, this has been just a gross violation of constitutional rights”. But ask many of the people there about the second amendment and you’ll hear crickets. Seems inevitable huh? Makes me very proud and filled with joy Grocery stores are “exempt” as essential. Again I don’t care if one chooses to ignore a law or EO, but doing so carries liabilities. That’s the way it works, most of the time nothing happens and no one cares. Acting like this is some grand act of defiance is dumb. In this case there is an EO saying otherwise, i don’t like it either but if you choose to ignore it there are consequences. The cop warned them closing the loop, they will be held responsible if they propagate the virus. It’s like laws requiring a seat belt, sure you can ignore them but it will cost you later in liability. >Put it all to personal responsibility Then you clearly do have a issue with it. No business would ever open their doors ever again including your favorite big box & grocery stores if this were the case. Don't be dumb. That’s not personal responsibility. If someone chose to go, and they get sick, that’s 100% on them. THEY chose to go there, no one made them. What you said is 0% personal responsibility, but you go on to say it should all be personal responsibility. Your absolutely correct. I mean i was super stoked to see this going down but at the same time how the fuck did we let them shut us the fuck down in the first place. Either way, its good that people are reclaiming what is theirs. We won't go down so easily next time because the bullshit they pulled this time. I'm so jaded I can't help but think this is part of the plan too - remember the idea is to waaaay over encroach, and then pull back to a level of compromise that's far further than they would have been able to achieve otherwise, so that you feel as though you won while still losing. Persons shall be isolated or quarantined if it is determined by a preponderance of the evidence that the person to be isolated or quarantined poses a risk of transmitting an infectious disease to others. You have any evidence any of these persons were sick? I don’t have any issue with it but if one of them contracts it then they should have to foot the medical bill on their own and if they pass it to someone that dies maybe they should be charged. Put it all to personal responsibility. The executive orders passed by the governor using powers granted by the New Jersey Emergency Health Powers Act. U_R_L What law did they break? Yeah I get you dude. I've thought about this same scenario. My take is the longer I'm in doors the weaker I get so if I go out only after pandemic 2 I might be fucked. This way I'm giving my immune system a fighting chance. Even so, even if this is some bullshit permeated by the wealthy or government to keep us down, why would you fight it by going outside? Like this is a sad take but why would you risk letting them wipe you out? It’s admittedly at the cost of your liberties but if you seriously think there’s a chance of a deadly virus being released towards those fighting the regime, there have to be ways you can fight it without exposing yourself. If the first was created then a second can be created and made deadlier? I think most are in agreement this first one was a lot of hype and numbers manipulation. Fuck leftist fascism! Fucking USA! The constitution doesn’t protect yelling fire in a crowded theater, why would it protect the willful endangerment of American citizens through stupidity? I do You should hang out in r/politics. That'll be more your type. So it can infect people... but would need to be released to infect people? Really makes you think. Lol, and there it is, the communism buzzword, hilarious Ian Smith took the red pill, seems to be a lot pill takers lately and I don't believe they're made in China Afraid of your shadow for not cowering inside Peak cognitive dissonance I’m not even American and I was on the verge of chanting along at my computer screen Source? A few days ago rode my daughter and I rode our 4 wheeler to a nearby playground that was apparently closed to covid. The sign had fallen over and three caution tape was cut. Cop rolled up and inquired about my atv on public roads. Asked that I not do it again. He mentioned the closed playground but laughed it off saying, "I'M SO OVER THIS SILLY SHIT". We continued to play and he drove off. I do live in a rural/small city area so I can't speak for the metropolitan police but the cops out here see through the bullshit too. It was very uplifting to experience. This guy knows whats up. they were preparing us for mass casualties. its a fkn joke Humvees is so 2000. Expect drones Makes me proud Where did he say pandemic 1? I’d love to see that I'd say the snowflake is the guy on reddit emotionally judging other's opinions The paranoid people are those shitting themselves over common cold-19, but enjoy your communist government when it comes The owners message on the power grab taking place and more: U_R_L Law enforcement showing up to enforce an executive order (not a law) that is on shaky ground when put against the US Constitution. There was never a first wave. The virus is fake and deaths caused by other factors are being falsely blamed on COVID. Testing is highly inaccurate, and lots of people are being labeled as positive without even being tested. Fake "screening lines" are being set up by media to push the narrative. Hospitals are being well compensated by having COVID positive patients, and even moreso when they are put on ventilators. Treating people with ventilators that don't actually need them is actually very dangerous, and is the reason a lot of the elderly people are dying. Their lungs can't handle it. It's all bullshit. You must be a really intelligent person. Obviously. As soon as Bill gates called this "pandemic 1", I knew round 2 would be forced on us. This is the end game people. Godspeed. What are you talking about. It would almost be too easy. The 2nd wave will be worse than the 1st, that’s when the real lockdowns start and when you got HumVees in your neighborhood If they were scared of their shadow the would be sitting at home Lol, hilarious, you people are such snowflakes. Selfish little asshats afraid of your own shadows... Can't wait for "Mr. Has a Vile of Super Covid in his Pocket" to sprinkle this shit from a high rise to make everyone sick for round 2. "See we TOLD YOU GUYS. YOU NEED TO STAY INDOORS!" I wouldn't doubt it, the people wont lockdown so easily next time. The conspiracy is the governors are conspiring to fuck the american way of life. The people are taking it back. So where’s the conspiracy 2nd wave released on purpose like the first and then blamed on defiance to quarantine? Me as well my carbohydrate comrade Lol Yeah, thinking about getting a membership. Put on a lot of lbs during the quarantine. Too much beer. "Formally, you are all in violation of the executive order. On that note, have a good day. Everybody be safe," the officer said before walking away as the crowd erupted in cheers. The owners have said the decision to resume operations at the members-only facility was not about financial gain, but rather a question of Constitutional rights. "We think so far, this has been just a gross violation of constitutional rights," said Atilis Gym owner Ian Smith in an interview on *Tucker Carlson Tonight**.* "The 14th Amendment states that no state shall pass any law that infringes upon our rights as citizens, and we’ve been forced into our homes. Enough is enough." SS: The people will reopen the states, Fuck the governors. 1st Video in link. I have to be honest, it brought a tear to my eye. -- Topic = 5 (money, government, pay, get, than, system, own, them, why, companies) It's actually in the referenced article if you read it. There's that saying that behind every great fortune is a great crime or something to that effect. No one is arguing that a large portion of rich people are job makers, its the fact that the jobs that are being made are predatory in practice. Part time shifts to keep from giving benefits, riding as close to the minimum wage line as possible, making the better paying jobs more exclusive to those with the connections to claim them and countless other issues. They make jobs and some of the money goes back into the economy, but the majority of the fluid funds go from their pockets to the pockets of another rich man in hopes of the money returning to him two fold, or other agendas the average member of society will never benefit from. Keep in mind it is the average member of society that likely brought them their wealth, whether it be from their labor or consumption, the money at some point was taken from our hands without a remotely fair trade being being offered in return and its getting worse as they seize the political powers necessary to bend legislation in their favor. Agreed, to an extent. You also need people who act in harmony with loving principles with the use of their money i.e. not hoarding, not using it to leverage/maintain excessive wealth, and probably not people putting it into savings that can then be (voluntary or not) centralized into the hands of a few for further wealth accumulation/FRB I don't think it was ever different, but I don't think it's human nature. Why? People can be altruistic and not self-serving, right? We all occassionally meet that one person who is kind caring; a humanitarian who is loving. But they may not have always been that way, and it's certainly not 'in their DNA'. They have just done things like pursued their passions, lived without needing money, not been bitchy or a catty person. They've just sort've lived. Meanwhile most people look for money, status, fame, recognition, success, etc. It's rare, but not impossible. It's all a choice. Just like the guy next to me just said 'you just have to change yourself'; we all have to change ourselves, but most don't. Especially while the system allows them to continue the way they are. We should trade in beaver pelts. The truly sad part is that the Rothschild and British Royal families as well as the Vatican own most of the other half but they hide their wealth in foundations etc. How many people have jobs because of the 5 men? You have tried to justify why it is acceptable to have some people who have enormous wealth. Can you justify why it is acceptable that billions live in extreme poverty? In the US, there are more empty houses than there are homeless people. Roughly 50 percent of all produce in the US is thrown away—some 60 million tons (or $160 billion) worth of produce annually, an amount constituting one third of all foodstuffs. Wasted food is also the single biggest occupant in American landfills, the Environmental Protection Agency has found. We have empty houses and people who lack housing. We have tons of food thrown away and people who are hungry. How the hell is this an ideal system?? Lots of people who are making serious cash on Wall Street are not contributing to the economy in any meaningful way. They are just concocting obscure financial instruments to place huge crazy bets. And yet according to the free market that you treasure so much, their work is super valuable and important, while the work that teachers and nurses do is practically worthless in the eyes of the market. Do you think that it is acceptable that, in the wealthiest and most powerful country in the history of the world, 22% of US children live in poverty? That millions of people who work 40 hours a week still live in poverty and constantly stress about making rent and providing for their loved ones? Do you believe that democracy is valuable? Will you admit that, under a direct democracy, money and resources would be distributed in a completely different way than they are now? never stop trying so hard Giving the current situation less government is definitely beter, and if we are going to talk about the quality of government; transparent, accountable and restrained is what a good government should be, efficient is not a good criteria, Nazis where very efficient And how precisely does that solve the problem of selfish and stupid? Oh right it does not, it just gives some selfish and stupid people power over others. The richest people in the world don't show up on Forbes list. They are worth trillions. Actually you could say their wealth is limitless. All the people in this articles list got wealthy exploiting a system that already existed. It is those who built and control the system itself who are the true wealth and power. I'll give you a hint; see world's Central Banks. Tbh its been going on since banks were first conceptualized more than likely. I wouldnt be surprised to find out the zionist elite could trace their lineage back to shortly after that time period if im being real. (no i dont hate all Jewish people, its just a factual statement that the people in control of almost all national banks in the world and all major media are zionist jews) Hebrews were the only ones allowed by their holy text to collect usury, which we know today as interest more or less, which is how they got a head of the rest of the world and were able to get so powerful in the first place Yep. Inheritance plus capitalism seems to result in the eventual rise of a financial aristocracy. Instead of titles and territory, it's real estate and investment portfolios. The inheritors get a bigger and bigger head start with every successive generation until we end up with a sort of financially based neo- feudalism. One sign of this would be: a shrinking/disappearing middle class, a growth in the numbers of working class and poor, and an ever richer and more influential (but tiny) group of wealthy people at the very top. This is exactly what's been going on for the last 30 or 40 years. Look at my post history, I recently posted an analysis in r/Libertarian If the McDonalds CEO took a 100% pay cut it would only increase employee salary by $40 a year. That is assuming its entirely cut.. If you cut the other top executives entirely took the increase would only be $80 a year for an employee. That is assuming its evenly spread and not based on job position. If the walmart CEO cut his entire pay and distributed it around the company, each employee would get a $10 yearly increase in pay.. $10... if you cut the entire salary. Say it was a 50% cut, then distributed based on the job position, your average worker would see barely any increase. Maybe a few dollars a year if they are lucky. A ceo earns 300x the average employee, but he has a ton more responsibility and potential to earn the company more money. Who earns McDonalds more, the average burger flipper or the CEO who is managing the entire companies workings and deciding on the direction of the company? If a CEO does a good job a company can earn hundreds of millions, if a cashier does well they might see a couple hundred increase. You get paid on your ability to produce wealth, obviously your average worker is going to be paid less. Rich people invest money, it goes to help startup new business and build new jobs. 21 million in the hands of a rich CEO is far more valuable to the economy than $10 extra for your average person. look up the average growth of ceo/upper management wages and profits compared to employee wages and tell me wealth being centralized in large corporations is totally cool. it may not sit in vaults but the grand majority of that wealth never trickles back down to those that provide the labor and is essentially removed from large swathes of the working economy. The thing is, wealth has literally NOTHING to do with deserving it and EVERYTHING to do with who birthed you. Ill preface my next statements by saying im inherently against capitalism as an economic system, i also dont think communism is better for anyone who may try to get their dick in their ass about that. Anyways, in a capitalist society, inheritance makes sense, you shouldn't just lose everything once you die, and its logical that it gets handed down to your family (or whoever) in whatever ways you choose, but thats how we get into the situation we are in today. Black people never had land in the u.s. to give, so they had literally nothing to pass down to their kin for 100+ years, and jim crow laws only ended like 45 years ago, so theyve never had an opportunity to amass any value to pass on. Even now theyre still systematically targeted by the government and police to keep new age slavery known as the penal system stocked full. The education and healthcare systems are all tied into this as well, the super elite are probably some of the oldest families around with money just as old, which is how its gonna stay until we tell this current joke of an economy, national and global, to go fuck itself. Before the conception of banks Ding ding ding ding. Winning answer for sure. you are talking about feelings, not facts. I don't care if you 'feel' it is wrong, you have to prove why its wrong. I wonder what the end point is? Maybe 2 or 3 people will own as much wealth as everyone else? Maybe we'll get to the point where it's only one? Isn't this evidence that the capitalist economic system is inherently unfair? Can there ever be one person who is so talented and beneficial that they deserve to have more wealth than 100 million people... or even a billion? Probably didn't help that the government in many cases is and was genuinely incompetent and wasteful, oh and let us not forget corrupt. Meh I am not a fan of seizing money People are selfish and stupid so they need to be organised. It's that simple A century of anti-poor, anti- socialist propaganda did a real number on the United States, I think. You need to decentralize the currency to stop the situation we're in. If you factor in the debt of the bottom 50% then it may be less than that. You mean like in the most powerful nation on earth where half the country doesn't even want to grant the less fortunate parts of the population some basic healthcare ? How is it human nature when only 5 people are in that club and the rest are doing human stuff. I think it's ok to have a sentimental reaction. The distribution of wealth in the world is deeply unjust. The way that a few rich people have enormous power over the economy, while billions struggle just to scrape by, is morally repugnant. We can do better. People have the correct general feeling that this is wrong and needs to change. Global consciousness is shifting; if the masses keep evolving and waking up, all bets are off for the powers that be Sauce pls? and they are bored, how many planes you can have? how many contries? how many wars you can start? one dat they just start zombie apocalypse or detonate bomb to break earth in half... just for fun, what else they can do to break boredom when you can have anything? Never were we given a more blatant heads-up than by David Gilmour in 1975 with, "It's all right boy, we told you what to dream!" What about when one intends the sardonic? Is there a tag for sardonica? > need a sarc tag? No, you do not, PMYV. No, you do not. "-) No, volatility in a currency is the backbone and worth of the currency. They would print more or give more away to.keep the wheels turning. The elites aren't dumb, they keep half the population fat, lazy, and stupid while the other half is in turmoil. Strategery!! No they don't. You confuse "valued at" with "actually owning". Sorry, no. Rothchilds and the Queen own the entire world's wealth and their wealth goes beyond fiat and land. i worked with someone who lost his mind. went from being a java developer to homeless. It was weird watching it play out over 2 years but essentially his work got slower, his conversations crazier, he lost his job, then eventually fully homeless. Quite shocking seeing someone who made 90k a year down to 0. happier now though. dont know if its the meds or being out of the rat race, no longer shackled by debt and paychecks. still crazy. With no government you return to primitive tribal chaos. Simple. I suppose minimal government is ideal, but it's simplistic to say "less government is better". It will always vary situationally. The real solution is 'efficient' government; not more or less. So with less government we will just have primitive tribal chaos? Care to explain because at face value that is just a ridiculous statement. Yes, you should *ALWAYS* use a sarcasm tag if you are being sarcastic. Not always but for a very long time yes. Who's responsible for fixing the system? We are and until we do, the cabal will shit on your living room floor every day. This is definitely alarming. However, "Wealth" is more than a number. Wealth includes power, influence, secrets, control, land, etc. These 5 men all made their money recently. They don't concern me as much as families who have had that kind of money for years. And have been building on it by scheming the same way Zuck types do. Didn't realize Bezos cranked out 50 mil in 2 years though. holy shit. They didn't Fuck it up. Everything has always been by the rich and for the rich. pretty good point here. This is the hard truth. And this is why people should care about the worsening inequality. I'll get downvoted because this is unpopular, but can we admit that most people have no clue what this really means? If you assume that they just have all that money in a vault somewhere collecting dust, then you are mis-informed. Most people who complain about this are middle/upper middle class white people who's standard of living is considered unimaginably wealthy by millions of poor people around the world. Not saying that wealth inequality isn't a problem, but I always feel the reactions to these articles are so sentimental. Look at that one moron who says "if these 5 people were hanged and their wealth distributed globally, then most of the problems of humanity would go away." Totally unaware that if all the wealth was distributed it would lose virtually all its value and we'd be back at square one. You don't even know how to define "wealth" or where it gets its value from > The issue isn't a lack of government, it's a proliferation of greed and lack of compassion. Do you not think this is human nature? When do you think things were different? I'm sure they worked hard for their money.. Live for a while completely without it. See how that goes. So they can't do anything with that money today? It means that the monetary system needs a few changes. A medium for exchange is needed to maintain fair trade and a functioning society, but right now there is zero transparency and rampant corruption. Earthquakes shake the mountain from the bottom to the top. That means if we move, the top has no choice but to follow suit. They can call it a cherry on the top of a sundae, but I promise you, right now it tastes like shit. Obviously less government is not the solution. Government is a societal management system. Yes, it can become corrupted; but eliminating management of complex systems solves nothing unless you think primitive, tribal, chaos is progress. do they really? or do you play their game and willingly give them that much power, thru complacency and hero-worship? headlines are wonderful; seldom substantial Will we perhaps reach a tipping point whereby the global economy seizes up, simply because these people have all the money and there's no money to be moved around by "little people"? With no money at the top, how can those at the bottom buy goods and services from these people? Surely everything just stagnates and begins to fall apart? We should all just start using a different currency for certain things among ourselves. And Bill Gates may have stolen DOS from Gary Kildall: U_R_L If I survive whatever global catastrophe they have planned, I'm headed to their armored redoubts and retreats. Payback has no consequence when the system has failed and the courts no longer exist. THIS needs to be higher up. The *real* conspiracy is how they tell us these kinds of statistics to keep us believing "money = more" Wasn't it entirely the management skills of Apples vice president (Adam something?) that ensured is success and Steve Jobs just rode on that as CEO by being the hipster face of Apple but contributing none of the sales? 2 men in Canada own 1/3 of our total wealth. So that leaves the rest of us..negative what in debt? I imagine we let it continue because we can't fathom the chaos that would ensue by overturning it. And sloganeered their way into it. Through media, education, radio, TV. The easily led are now their personal army. Changing nomenclature to suit their agenda. Levies become taxes, taxes are levies, nailing heads to walls becomes good for the nation, killing people becomes an unfortunate process of stealing oil. The manipulation is rife. People have without any doubt been 100% programmed. I doubt it. You assume humans are worth a shit. Half of them would go out and buy worthless shit. Geez, I wonder why? Could it be wage stagnation? How about when we bail out the banks their CEO's still get multi million dollar bonuses. Oh wait, I know, it's because we haven't embraced trickle down economics where the richest get huge tax breaks and the rest of us get squat. Hey it isnt as if Trump and Clinton were family related /s From the comments section of this article: >This whole column is, of course, completely untrue. These great entrepreneurs stole nothing from the public. Bill Gates and Mark Zukerberg may not be particularly nice people, but they have made tens of thousands of people into millionaires. People who are driven to create great things often aren't easy to get along with! >These continued attempts to denigrate individual achievement are easily demolished (since they’re nothing but logical fallacies) by a single example. Apple Computer without Steve Jobs and the management team he inspired - bankrupt. Apple Computer with Steve Jobs and his inspiration - the most valuable company on earth. >Remember, there was no huge shakeup in the management of Apple when Steve came back, he took the existing team and turned it into the world’s first innovation factory. One man made the difference. >The self-made man will use his environment to best advantage - the more opportunities his environment has, the better he will do. But, and this is where the collectivists make their error, Steve Jobs makes Apple Computer. The environment in which he operated is a passive thing, not capable of creation. Never forget this. The collectivists cannot admit this, as it shows that their whole enterprise, from Karl Marx to Noam Chomsky is based on a false premise. Any structure built on a foundation of sand will crash down at some point as the entire collectivist nightmare is now doing. >There were about 200 million people in the United States at the time of Steve Jobs birth, the vast majority of them having the same or better opportunity to succeed. There is only ONE Apple Computer. >This attempt to destroy the individual is one reason from my sig: >Atlas Shrugged was supposed to be a warning, Not A Newspaper! Yeah, but we have trump as president - and he is poor and cares about us all! ROFL. Sadly, retards reached critical mass a long time ago. There is no hope. I bet if these 5 people were hanged and their wealth distributed globally, then most of the problems of humanity would go away. It would worth a try. Why does it matter? Money isn't worth shit. I don't even know what this means. Straight up Rather unfortunate that many people still fail to understand government is almost always complicit in wrongly acquired or undeserved wealth, more government is not the solution. I feel like people confuse wealth with money too often. And no these people aren't to blame for the world's problems. Oh no, people chose to pay for something and somehow these people got rich!!! If a company was stealing the water supply of a country and selling it back then you can argue that the purchase wasn't really free or that the company wasn't providing an optional service. But the real problem is that someone can become 6th richest in the world just selling designer clothing. The reason it was that way was not because of the absence of government but the centralization of wealth in the hands of capitalists. In an egalitarian society you wouldn't need so many laws and regulations, but because a few people own most things they can basically exploit the many, hence why we need laws. The issue isn't a lack of government, it's a proliferation of greed and lack of compassion. You cannot regulat empathy, the problem lies in the heart. Hahah remember that time the US elected Trump and murdered irony at the same time? You just reminded me of this .... U_R_L The answer is in it :P Fucking mafia cabal fucked up the richest country on earth and decimated the rest of the countries. What more do we need? ENOUGH IS ENOUGH. Thank goodness the president is an outsider then. Things should turn around. Do I need a sarcasm tag? This is what "get government out of the way" is all about. Shrink governments, increase oligarch shares of wealth. We did this before. It was called the 19th century. Booms, busts, wage scrips, child labor, private police,... etc. I bet you if those 3.7 billion people pulled up their bootstraps and worked a little harder, they'd still be broke as fuck. When you put your faith in people/organizations/institutions those groups will invariably use their powers (given to them through perceived authority and trust) to protect their own interests. The larger the institution, the more the people beholden to it, the worse it is. Education and media are the largest influences in shaping peoples' reality. Those at the top know this and purposefully do what they can to mold their citizens into certain beliefs. The big issue is that we've gone so far.... and technology has enabled this system of power so much, that we are almost past the point of no return. The only way the system can collapse is if A) the people wake up to this simple truth and speak against it, and B) a large amount of those in power suddenly develop a conscience, and then act upon it to speak the truth. Exactly. This. This is by design. The elite just feed us different narratives so we spend all our free time bickering with each other instead of staying a revolution. Bit terrifying ain't it. Tip toeing so much as if to not let everyone know how far along her work really is. And the mention of investors and such. Shudder. Anyone who speaks the way she does is a sociopath. -- Topic = 6 (his, him, video, guy, some, had, did, got, man, watch) Only royalty. Which were such a tiny fraction. >Europe is no better in that sense. I ? the validity of your words & know data does not support your claim. U_R_L U_R_L Yeah, a monarchy of elitists does not compare to an entire culture bred from it. prior to the 1800s, it was pretty bad. Even today nearly every monoarchy left is heavily incested. Europe is light years better than the middle east in that sense. > We're talking about a region of people that are dna products of generational incest. Europe is no better in that sense. Chill out, he sincerely apologised to her family,it's all good right? Its sad when things like this get censored, for any reason. I completely agree with your statement, nothing will change until they are removed and sent back to the hellholes they came from, mind you we've done a pretty good job of fucking them up tbh, but still. You can't have third world savages migrate into first world society. We're talking about a region of people that are dna products of generational incest. Their incest genes causes them to have birth defects like blind rage and barbaric islamic world views. This shit will continue until they send them back to their homeland. OK, Show me the "irrefutable video evidence" that he left the backpack that exploded, because the backpacks in that picture of this post do not look like the same backpacks. Well I think you are an idiot, because it's obviously the same fucking backpack. Not to mention we have already seen the damning videos where Tsarnev is clearly guilty. Why, oh why you keep pushing that he isn't guilty is just stupid at this point. Smart, intelligent people, can admit they are wrong, and can change their opinions as more information is presented to them. So we have irrefutable video evidence that shows Tsarnev (younger) planting his bomb bag, escaping from the scene, and detonation. Yet you still obsess over the dumbest crap that is irrelevant to the situation. Why don't you wake up and admit you have been wrong this whole time? ........................ Trick question. Backpack is backpack. Who are you? naw i agree there's no conspiracy here. see ya! Thanks. Makes a lot more sense. Yeah and everyone else thinks it's gold and white. LOL. Glad you can see the forest for the trees. It was written on the inside of the boat on the wall, not on a piece of paper. I have not been following this at all, and am just on here to read, but a confession note with blood and multiple bullet holes? No idea how a sheet of paper reacts to being shot a few times but seems pretty unbelievable. i see, you are one of these who thinks the dress is blue... It's more like, what part of the bag is it? game. And logic....yeah that too. But people seem to be lacking it here. It's straight denial. LOL it is "what color is this dress" all over again whats funny is i thought you were trying to show the difference. Its not the same... >and I'm not imagining what would go into creating a hoax. So.. You're not going to self examine your own ideas? You *really* should. But, if you aren't going to, I'd like to ask what piece of evidence would make the idea of this being a government flase flag irreconsilable? I don't know who had that exploded backpack or who sat it down. I just don't think the Tsarnaev backpack matches the exploded backpack. I don't think the backpacks match. I said what I said, so don't try to bait me with your assumptions, and I'm not imagining what would go into creating a hoax. I completely disagree that there is no way these are the same bags. The same straps, and I could imagine that the after the detonation you would see more of the fabric inside. But the answer is yes from you. Okay, so would imagine that one of the first things that would go into creating a hoax bombing would be to *buy two of the same bag*? What do you think caused the explosion if not the man who entered a crowd with a bag and left without it? You sound completely irrational and ignore the fact that the exploded backpack is obviously not all black. The white square you obsess over is not even present. It's a piece of fabric from the off white backpack. The only black backpack with a white square on it was carried by the security guy. And he is in the photo from AFTER the bomb went off still carrying. THE BIG BLACK BACKPACK WITH THE WHITE SQUARE. U_R_L You can see he is still wearing the pack after the explosion. In the picture you can clearly see the white square on his bag. Fucking moron. I don't know who lacked foresight on this. I just don't think that these backpacks match. This sub has lost a lost of the more rational people over the years "don't wanna talk about it" i say "why not?" "don't wanna think about it. i say there's gotta be some good reason for this little black backp-" downvote send it down the memory hole That's not what I asked. Do you think that the FBI lacked the forsight of matching the brother's bag to they one they photographed and released as evidence? A completely rational post, downvoted by childish r/conspiracy subscribers who would rather live in denial than face the facts that they are wrong about their assumptions. This sub is dead. yep The government has given us their official Boston bombing conspiracy theory and I am trying to examine it closely because I don't fully trust the government. OK, but we are in disagreement. So, people can look at the pictures and the discussion to decide for themselves what is going on here with this post. So.. Do you think in the grand hoax the FBI or (insert nefarious organisation) fucked up *this* monumentally and didn't have a have a second identical backpack? That's the whole point of my post Well look at that, they look similar. That's neat. One of the patsies had a backpack that looks similar to the shredded one we've been told was carrying the explosive.... *imagine that*. > So your picture does nothing to stop me from seeing ^ a little Sentiment Analysis Damn straight this post is real. People can look at the pictures and the discussion to decide for themselves what is going on here with this post. Is this shit post for real? LOL suuuurrre. The more we talk the more convinced I am that you are not all there. It is not even close to obvious that it's the same backpack. Keep on stretching that logic. It's fucking obvious it's the same backpack Tsarnev was carrying. You are just too stubborn to admit you are wrong and will do and say anything to justify your beliefs. No matter how outlandish and wrong they are. The straps in the exploded bag photo are very narrow, and are unlike the Tsarnaev backpack with very wide straps with mostly whitish gray that Tsarnaev was carrying. And I would expect to see plenty of the whitish gray material in the exploded bag picture. No...no you have not. You refuse to accept logic when you reject the photos that are plainly obvious and contradict your arguments. Keep moving that goalpost, son. I have been logical in my comments. People can read what I said and judge for themselves. Not if they are a legal cleanup fix it crew working for the government to protect the government's official Boston bombing conspiracy theory. Considering I am the only one in this conversation using LOGIC yeah my confidence means everything It's pretty fucking obvious the inner liner of his pack was black. If you look closely at the image the straps on the exploded pack are whitish grey, and the outer layers are whitish grey. Use your eyes, and put your conspiracy views aside. Logic trumps all your arguments. Your confidence doesn't mean anything to reality and truth. There were multiple security guys there. So get over your picture. The real question is how could that picture of the exploded BIG BLACK BACKPACK with the big white square be confused with Tsarnaev's MOSTLY WHITISH LIGHT GRAY backpack. They are clearly not the same bag. I feel pretty confident that he did write it. > Tsarnaev didn't sat anything. We have not heard from him. He is being controlled. His lawyer, Judy Clarke, has been doing the talking Judy Clarke is an attorney that specializes in getting her clients life instead of death. If there was anything factually wrong about the defense, don't you think that one of the other attorneys would have said something? Do you think Tsarnaev would just sit there and let his lawyer incriminate him? You don't sound like a very rational person. Especially when it's so easy to disprove your arguments. You completely ignored my last comment showing the security guy with the backpack with the white square still wearing his backpack AFTER the explosion had already happened. We don't know that he wrote that note. I don't know which guy left that BIG BLACK BACKPACK with the big white square. So your picture does nothing to stop me from seeing that the MOSTLY WHITISH LIGHT GRAY backpack that Tsarnaev carried is not the BIG BLACK BACKPACK with the big white square that is in the exploded backpack picture. U_R_L Tsarnaev didn't say anything. We have not heard from him. He is being controlled. His lawyer, Judy Clarke, has been doing the talking. Judy Clarke served as executive director of the Federal Defenders of San Diego, Inc. (FDSDI) and the Federal Defenders of the Eastern District of Washington and Idaho. From 1996 to 1997, she served as President of the National Association of Criminal Defense Lawyers. more: In 2002, she was appointed co-counsel for 9/11 suspect, Zacarias M oussaoui.......................................................................................... .................................................................................................. ......................................................................................... source: the internet Hehehe I just noticed my terrible grammar on the title. Let's be rational here. So you are trying to say the exploded backpack belonged to the security guy I take it? Then please explain why the security guys still had their backpacks AFTER the explosion had already happened. See in the image: U_R_L "no. nope. no no no, because shouldn't it be 'whose' backpack...?" :D Wow! What a sad attempt to say that the big BLACK backpack with the big white square that exploded is the same MOSTLY WHITISH LIGHT GRAY backpack that Tsarnaev carried. Good try at confusing people though. Real slick. Yeah, it's becoming very apparent that this is the case. LOL The goalposts will just be moved. Dont worry. The theory will never die despite a full admission from Tsarnev that he did it. Holy crap! You should make a post about that. A lot of people on here won't let the security backpack guy theory go. This image disproves all their arguments. Great Great find. > He won't shut up about the security dude's backpack. Obsessing over the white square. Is he aware the 'security dude' still had his backpack on after the explosion? U_R_L Thank you so much for posting this, my brother is obsessed with this conspiracy. He won't shut up about the security dude's backpack. Obsessing over the white square. He completely overlooked the cream colored parts on the bag, I showed this to him and he was at a loss of words. Prolly a little of column A and a little of column B Guess they're getting rid of the tanks as well as the hand guns, cause love is always going to save the day. -- Topic = 7 (were, had, could, also, been, when, some, where, see, _) It's taken from chaos monkey the book, and I just reshaped it to know you guys opinion. Even I do not agree to it completely, but rings some bells in the later text. You don't think they'd want that video too. Just to sell you lipstick, lube & dog food? Your post has been removed because it does not contain a submission statement. If you think you received this message in error, or if you have subsequently added a submission statement, please contact the mods through modmail, and include a link to the comment with your submission statement. ^(This is a bot: replies and PMs will not receive responses.) To be fair that’s not really appropriate for that sub. Yeah I saw that. Was top of front page one second, the next, gone. this aint conspiracy. why is this here? Whatever LOL Because how do you monitor people's images without spying on them? (sure, they can say it is anonymized/only AI doing it/etc., but they can still access the contents and trace them back if they really want to) paranoid schizo lol How are they spying on you with this function? If the choices are this or having to actually be a responsible parent I, sadly, believe I know what the masses would resort to It doesn't necessarily, at least on paper. I don't know enough about the technicalities of Apple or their competitors' systems to provide a definitive on answer, but I can say what is possible because I've paid close attention to privacy concerns over the years. Something that adults especially should really take seriously. We're at the point that it can be done without uploading and storing photos. From this screenshot: Apple does appear to be indicating that they do not have access to on-device photos using this technology and other Apple FAQs of said feature that I've found it seems to indicate it uses an on-device learning algorithm. That does not include the cloud. Ultimately, you'd have to consult the terms of the user agreement to really find a definitive answer. The first detection method, which does not transmit the actual image, is by using an image hash. Essentially, every image has a unique 'fingerprint.' Think of it kind of like a UPC or VIN. For a match, the image itself does not need to be transmitted, just the meta data/image hashed. This feature appears to be more than that and looks to use on-device detection. This is perfectly feasible and developed enough to use on consumer electronics. Just think of it: your phone already has the ability to add cat-ear filters, make-up filters, etc., on live camera feeds programs like Snapchat, even when you have bad reception. If programs like snapchat can do that live on-device, your cellphone can almost certainly detect if there are no-no parts in the image. Regardless: consumers should be way and *extremely* cautious, especially when they have cloud-enabled services on their phone. Make sure you pay attention to the terms of agreement to understand *when* the cloud is enabled and what rights the company has when they are. Is it when you turn the phone on for the first time? Is it when you manually enable it? I don't currently know of any companies in the industry forcing the cloud to be enabled on your first boot, but it's something that we need to watch for. Lastly: always pay attention to the apps you install, too. Just because your cellphone isn't gathering photos from your camera app, doesn't mean that you haven't installed an app and given them access to your camera. At that point, Apple's rules no longer apply. I would say that I'd worry far more about small, shady third-party apps and games than I would about companies like Apple, but companies like Facebook have already proven their unreliability when it comes to privacy. Ultimately, privacy concerns are always evolving and so are user agreements. Be very careful on what devices you take photos on, if you have to. Be even more careful about what third-party apps you install and what permissions they have access to. Bingo This is it This consents to the photos being uploaded, stored, snd “scanned” to some form of database Which is of course then sold to “third parties” I’d imagine this feature takes it one step further than advertised... And automatically filters out all NON-narrative topics from messages and websites. Because it’s not “safe” to have ideas outside of the MSM. Technically this means all pics are uploaded to a cloud where they can scan for “sensitive” images. In other words, it’s like putting a neon sign on your kid’s device, so the creeps can let the underage nudes come directly to them without having to do the grooming. What do I think? I think the whole world has already gone to hell that this is even a needed thing. That being said I guess it's good if it can be restricted. On the other hand, it might make the kids just hook up in person instead. Or just get some "hidden" app and do it anyway while the parents think they can't. It's another way for big tech and their government agency partners to spy on you with you caring less im scared that their utilizing Jian Yangs hot dog/not hot dog app without compensating him. but for real i dont really like that my iphone knows if im taking sensitive photos. SS: Saw this on Facebook and it made me wonder if this is really a good idea. What do you guys think? -- Topic = 8 (she, her, kids, children, women, child, sex, woman, being, these) Haha see ya! this is it I'm unsubscribing bye I once fucked your mom. Can you tell whether this is a real statement....?!?! Fuck off. Best conspiracy post about the coronavirus I have seen. Kudos to you kind redditor. You had me in the first half. I’m not gonna lie Any good lie is based in some truth Why? Lol no > Adrenochrome You don't believe this is a thing that goes on in the occult? This is better than a lot of shit on this sub Adrenochrome is the current meme This is the way Sentences are a much better way to express an opinion. You better watch out!! The conspiracy police are out and chastising everyone that post anything that doesn't have 100% concrete evidence. I think "any" isn't correct. There are VERY plausible theories on here. Got a question? Or anything to say? Dab-ula Thank you for the laugh! Finally something I can get behind Perhaps we could be digging up dirt on politicians so we can sue them all get justice? just a thought Conspiracy chad Finally! The truth revealed. I want to point out that we are all inside right when the 25 year anticipated remake of Final Fantasy 7 is set to come out Apr 10. Square Enix pulling the global puppet strings like always!!! This is the stuff I subscribe for Do you think they are completely wrong? You’re so wrong dude. Year over year sales have been dwindling as innovation increases in bidet technology. This is all a plot by big toilet paper. Qanon Any examples? This guy gets it. Destroy All Bacteria Go to your sleeve if you have to sneeze. You might think this is a joke. It isn’t. If you research the elite and the bunkers they are currently hiding in, you’ll find an important link to dabbing. This is why dabbing was popular about a year ago. It was the signal from the elites “in the know” to the other elites that it’s time to pack your shit and get out of town. Hint: Look into the name of the owner of the firm that designed and built most of these bunkers. You could masterbate like you were 14 again. change my mind. That gave me a good laugh >any ... And I've been falling for it the whole time. Thanks for opening my eyes. This is what I’m here for. Someone finally on a fucking path to something This is more plausible than some of the shit posted on here I get that this sub has been overran recently with shills and autists but can we not get spammy for the sake of being spammy? Catch me dabbin' on these boomers I've been saying this the whole time. Glad to see some humor, I posted that 2020 in China is the year of the Bat and got deleted by mods w/ no sense of humor This is the quality content that I come here for. Yo, Im supposedly going back to work on April 1st, but this coronavirus gonna have management like We found it guys. It all makes sense now Nooooooooooooo Sounds better than any of the other things people are non-ironically trying to push. This is more believable than some theories on here tbh Now THIS is podracing! These bots are on crack now April Foooools! They are gonna kill this one lol FBI already investigated and said no insurrection, no planned by others, no planned by Trump. Was a random riot according to them. Why are we still talking about this fake ass bullshit. The day democracy almost died 🤣🤣🤣🤣 Right, I know that part, I'm just wondering if he personally requested executive privilege and if so, did he explain any reasoning. It's almost like a gift from the cosmos that we got to have several months of BLM/antifa Peaceful Protests of Justice directly preceding The Terrorist Attack on Democracy Itself. The comparison just fell into our laps and boy does it reveal *so. much.* He said something along the lines of "go down there and make your voices heard, peacefully" at a rally but him explicitly telling people to storm a building doesn't exist. Indeed, that’s why I tend to gloss over anything about insurrection. No attempt to take over the government occurred. Why can’t Libs get this? Yes an unruly mob broke some windows abs trespassed and some just minded their own business. You wanna do tit for tat let’s look at a BLM event Haven't followed this story much but is there proof of Trump himself requesting that? Or if he did, did he elaborate or give it any nuance? These days I wouldn't be surprised if Dems made up this whole thing to keep his name and *The Insurrection!!* in the news, and it does play right into their narrative. I mean, they got an impeachment out of that Ukrainian phone call scam after all. I like that Justice is funny that way. True justice will inspect all the facts, as opposed to only the ones beneficial. Was just pulling an example out of the air for something that was withheld when asked for. No sitting President has ever tried to overthrow the results of an election. No sitting President has ever refused to concede. Seems like good precedent to set here. What I mean is, regarding a previous presidents desire to keep information classified. The presidential privilege ? >SS: What about the documents probing America sold weaponry to Iran ? Not that I disagree, but it's a bit late to take a second look at Iran Contra. Or Hunters laptop? Or the current presidents email correspondences regarding the above ? SS: What about the documents proving America sold weaponry to Iran ? Or the testimony video of Obama stating he was aware that the US Military was inflicting cruel and unusual punishments ? This smells like declas. Trump had no role in it so why would he request that or be stupid enough to knowing it would get out? I’m calling FN here I think each of them have some things you can trust them to speak about. But, verifying what they say is a good habit. And, i think each of them uphold some big lies. But, i think there is a reason for it. The truth is in the pudding. No problem. Have to keep in mind with these truthers most are controlled opposition or limited hangout. So listen to everyone skeptical I appreciate that very much thanks. Whatever umbrella Rogan is under it’s the same agenda. Modern day mockingbird type situation. Rogan is the DMT/alien disclosure gatekeeper who under the guise of natural conversation sets the narrative for certain agendas. I haven’t listened in a while but it was the importance of testing, creating your own covid bubble, Neuralink/Musk, UBI last I remember. Jones is just straight up disinfo/limited hangout. Plus no matter what you say the people who buy into that shit refuse to accept what he is. But these government agencies are most likely factions. So whatever team is with Trump is Jones/Rogan. Same plan at the end of the day, just different strategies to get there that involve them having a bigger role in middle management I guess pizzagate is ancient history now... Maybe you'll be ok. I think Alex Jones is his own boss. But, he shares goals with certain interests within his country. Uh oh. *Pizza* guy! His family working for the CIA doesnt make him CIA. When did he ever say he was CIA? What else can they do? they also have 30+ lawsuits against infowars. You say “try to stop” him, but I think they really only intended to limit him They did try to stop him, they kicked him off virtually every platform. alex jones has opinions on topics. hes correct about most of his assumptions. the CIA doesnt stop drug cartels bc they are basically the same thing, which operate off of the same rules Do you think he’s working FOR them, or just working under their rules? Like if you own a donut shot that’s patrolled by mafia, if you hear a customer talking shit about the mafia you will push them out for fear of keeping your business, and not because you’re working for the mafia.. no? The cia thinks everyone thinks cartels are bat shit crazy? Alex Jones is controlled opposition. There’s even clips of him admitting he works with the cia. There are people who’ve done the work putting all the clips together. Even watching his old shows he would have good guests on and whenever they started talking about certain subjects he would interrupt with nonsense So the drug cartels play by non-publicized, unofficial rules? Agreed. It’s useful to keep him around and visible. Helps detract from the idea/fear of ALL dissidents being persecuted. Leave a few, let people relax and get comfortable with that. They’ll be less likely to organize/revolt, and more likely to blame those who really rock the boat. They’ll think he is saved from persecution because of “laws” or “rights” or “following some rules”. He is but a dangling carrot. A honeypot. Or he has a 1st amendment right to run his little entertainment show. SS: I think TPTB dont shut down Alex Jones because: 1- He plays by the rules & 2 - He acts as the tip of the spear and they prefer to always track location of the highest potential threat In what sense? Profiting, or people thinks it’s bs because he points it out and it seems so far fetched? -- Topic = 9 (white, were, jews, black, racist, right, anti, left, race, jewish) Well no one really knew until McDonalds started competing with Burger King's slogan "Flame Broiled" with their own one. It went something along the lines of 100% beef. Which led people if it's now 100% beer, what was it before? Thus people learned there was a percentage of a burger patty that could be ground meal worm. I suspect this started with a certain amount of bugs being allowed in manufactured food, and as the fast food wars heated up, someone realized a great way to make a burger super cheap. Thankful I was mainly vegetarian in the 80s/90s The one bug I enjoy eating is baked sea snails with garlic, pesto butter... which would probably name anything taste good. Back in January after watching things in China start to go crazy in December, I started looking into what perhaps could help. I found studies showing the benefit of D (Vitamin D hammer, raising your levels) and I started talking to my family about it. I subbed /r/Covid19 and started looking at all the research coming out. By March I was convinced Ivermectin could help and so I bought some paste (enough for the family as well). When the reports of hydroxychloroquine AND zinc started to show promise that same month I bought Quercetin and Zinc. Quercetin behaves like hydroxychloroquine and you have to take the zinc for it to work. Most all of these later became part of the Marik Protocol used by a few hospitals. I've tried to expand with failure one more for when they go out in public. I simple mixture of saline nose spray and a half teaspoon of Povidone iodine. You spray that a couple times up each nostril and lay your head back for a second. I believe it protects for a couple hours (store runs, etc). It's currently in studies. Agreed. That's why I appreciate it. I think Biden might get assassinated by some gravy seal. They are scared lol....no Can you further elaborate on the vitamins piece? What did you call out about them? YUMMERS! :p Funny you should say that, the EU just declared meal works safe for human consumption. They were also used in the US as burger patty filler back in the 90s. Don’t forget to smile while eating your bugs. i think there is going to be some sort of disclosure or unpopular decisions made **after** the inauguration that they anticipate will cause a massive public backlash and they are protecting themselves ahead of time probably a national lockdown White domestic terrorists , sounds like a micro-aggression If the DC Uniparty is so pathetic that they have to sink to lashing out against random subreddits, they're not doing too well. Fucking WHAT my dude? Are you a bot af? What was that response?? You asked how is this sub mainstream and I said this sub was brought up by the house recently and THAT was your response? Please explain. I don’t claim to be smart. “Now with downtown D.C. businesses boarding up their windows, Mayor Muriel Bowser has requested a limited National Guard deployment to help bolster the Metropolitan Police Department.” Keyword: requested. The president is the commander and chief of DC NG. Request goes to president. President approves. But of course, MSM will NOT be having any kind of credit given to Trump. You know that. “The president of the United States is the commander-in-chief for the District of Columbia National Guard. (...) Service director may request the commander-in-chief to aid them in suppressing insurrection and enforcement of the law; however, there is no chain of authority from the District of Columbia to the D.C. National Guard” U_R_L That's pathetic. The DC/Big-Tech Uniparty is backing themselves into a corner. For sure they'll try to pull a big false flag soon. Where’s your source that there are more troops in dc than in Afghanistan or Iraq?? They mentioned it in the house like three days ago lol What? Mayor of DC has no authority to call up the guard. President does. There’s 0 support of any kind of Trump supporter gathering in any of the Trump forums. It’s really flabbergasting. Well said. Looks like the protection of our democraticly elected officials from white domestic terrorist. Many times, the most simple explanation is the correct one I have a nephew that is stationed there and pictured with Pence's picture recently, supporting them. I know a lot of hard core Trump supporters. Not the type that would take up arms but the type that just believe in his policy. They're all hoping there's this final event, something that he has planned to show election fraud and he'll be able to force another election that is more secure, etc. I honestly feel that if there's a strong enough voice, not from The Proudboys etc but from a strong leader with some type of plan, they'd be behind him/her. Someone with a plan that doesn't include pure violence. A great statesman maybe? I think that it has surpassed Trump now. That people listened, perhaps researched the fact that the government of the States do not represent the people anymore. Both sides are corrupt as hell. They've been bought by corporations of whatever sort. Normal mom and pop people realize this now, not just Gen X and beyond. I'm not sure what's about to happen in my country, but I believe the millions that supported Trump was pretty much the millions that woke to the fact that the government doesn't work for the people. McConnell's rejection of a tiny bit of money to the citizens of the country really poured fuel on the fuze. It could very well be the start of another Civil War. I called a lot of the things that have come to fruition with Covid 7 months ago (Vitamin D 5000iu a day/Ivermectin/Querciten/Zinc) so my family has asked what I think we'll be seeing in regards to the craziness lately. I've replied "The Troubles". Look to Ireland and that period. I think that is what we'll be seeing for the next 4 years at least. It's the Mayor of DC , the Governors of Pennsylvania and Maryland that called up the troops. Lol. Trump is still president and Biden can't call up troops. PsyOps... It's to let the citizens know who is in control. When Joe Xiden and the Democrats talk about 'Unity' wht they really mean is subjugation. Now line up and take the jab. different kind of troops? you could check out their specialties and see what they do? If they’ve all been to Afghanistan for 2 tours i’d feel better than if they were just called up and are not 12B / 11B. These guys could be artillery or tankers or medical.. anything really. just a show of force and being used as policemen. This way, they could be put in bad situations for “muh Optics” see Kent State MassacreKent State 1970 i mean, ”Operators are standing by” sounds great, but those aren’t the guys we are seeing. How is this sub 'mainstream'? Agreed 100% friend. My gut tells me I have to shit....ttyl #🤡💊🍿 Most of the people deployed to shit holes right now are high speed low drag with a small occupying unit and some support. The national guard at the capital building is just Billy from down the street that puts a uniform on once a month to get free college. I don’t think the 2 can be compared other than from a quantitative approach. I think it’s all theater and nothing is going to happen. But they say people are planning things. Where are they planning? How? This sub is one of the last mainstream places to question the narrative put out by the media Here is a news story I saw on the media lets talk about it lol Sorry I could not help it but if you dont trust the media how do you know the story about the troops is right ? My gut tells me it’s to protect the nation after a domestic terrorist attack. Not really, Anytime I post about the capital it instantly gets deleted. We’re allowed discuss things. But only what “they” want. Not sure. Something is happening... ​ what are your thoughts? We shouldn’t have any in Iraq and Afghanistan anyway so it’s fine I think it's time to take the clown pill and grab the popcorn Whole Bannon thing stinks.. At the end of the book says this is fake news thanks for the money Liberals will never like Bannon. They'll be interested in some of the crazy shit that went on behind the scenes. That's about it. It's NOT Bannon's book. It's a book that includes quotes by Bannon. There are many other people quoted in it, since the author (Wolff) was for some reason given free reign to roam about the White House interviewing people and listening in. Bannon is NOT the author. I would say it will be Steve Bannon furthering the interests of Steve Bannon. I am liberal, I won't be reading the book. It's like, y a w n. All by design, Political parlor tricks using the media as a tool to fool all those that actually believe it's real. This shit sux, it's as if the people in America is the audience on the game show *Running Man*, just brutal watching people think that this Carnaval Show is real, actually picking a side as if they are on the winning team. Enough ranting, I need to hurry up and leave to go buy some Lottery tickets. The book is about Trump and his white house (including Bannon), not written by Bannon. It's actually written by a journalist who was previously known for writing a similar tell-all book about Roger Ailes, (the journalist's name is) Michael Wolf. haha, yeah, pretty excoriaring from the excerpts. still, maybe could be part of a deeper smoke screen meant to strengthen the rep party before midterms at the expense of Trump. It's actually a book about Trump: U_R_L Idk why more people aren't creeped out by this guy. He's way too happy to be the center of attention for a would-be flu shot. I don't take advice from Pe[dos], **Gates ecstatic about 'Shooting Kids** with *something,* right, Jeffrey Epstein? I mean, I'm thankful for Gatesie. Who better for medical advice than a psycho-toddler fucking eugenics freak? Fuck DOCTORS! God ill be so glad when this fucker loses traction. This was an interesting account of the shady practices of the Bill and Melinda Gates Foundation. A little bit of manipulative editing, but otherwise a good look at how they use third world countries as a testing ground. I'm not sure why you found it necessarily to use a sensationalist post title that completely takes the quote of context though. Should have probably focused on the meat of the video rather than the first 5 seconds. SS The grinning and body language show how paaaionate he is about shooting stuff into kids. Obviously so dedicates to bring about so much 'CHANGE' to Humanity, Planet during his remaining lifetime -- Topic = 10 (covid, virus, mask, masks, flu, deaths, were, wear, pandemic, been) lol. Yea if you buy the parts at an American store who resells Chinese stuff :) Pretty sure you could build one for <$1000 No. THIS is an assassination drone. It's about 3500 with goggles and cameras. We're doomed. More like a quadcopter with an extra servo and gun, build one yourself for $400 excluding gun. SS: Exposing Bill Gates, Anthony Fauci, 5G Danger, Coronavirus Psyop, Mandatory Vaccination, Kobe and more. Think for yourself. >welfare recipients > >working people These are not mutually exclusive lol you can use nature to expand, many people have used natural environments to create a new world. anything is possible if you want it to happen For example the Amazon rainforest is being cut down/ burned down, all for the sake of more farm land. Expanding to new areas is going to decimate nature even further. We don't need more of the world covered in cement. I have four kids. Don't ask me... Do realise we are straining for resource because as populations move to cities and don't expand out. To survive we need to expand to new and different areas, also create more resources No excuse it can be done, rich are keeping too much of the resources for them self or for even big corporations. Then charging every one else at a higher rate We don't need anymore people. Mr. Asteroid, please hit the Earth soon. But actual elder care is still extremely labor intensive, and more importantly, most social security systems are predicated on population growth. I tend to agree in theory about population growth leveling off being a good thing, but there are some pretty massive financial barriers. If you're in favor of a lack of population growth, there are some significant problems left to solve, and it doesn't seem like "technology" will be sufficient. LOL! >just because you can't cook I'm not a woman Lol just because you can't cook you want the government to jump in and tell you what you can and can't eat. It is categorically cheaper to eat healthy as you just buy vegetables and some meat and cook it. American food is full of chemicals so you're right in that one. But you're addicted to sugar and those chemicals and you need to break that addiction. The government want a fat lazy population. Nobody who is 300lbs is going to red dawn it are they >Obesity is a huge issue How about you look at the food that the U.S. government allows us to eat... They could easily regulate it or at the very least make it more affordable for us to eat healthy. I've tried to eat better, but in addition to not tasting as good it can cost me twice as much. Yeah but so is basic health. Ppl are fat and greedy and lazy. Many men are fat and don't exercise. So it's easy to blame all the chemicals in the water but correlation isn't causation. Obesity is a huge issue True that. I guarantee welfare recipients produce twice as many kids as working people The stupid people are still out populating the rest of us though Upvote for kratom. Right I guess the young won't be able to care for all the old people. But I think that's a silly argument because we have more technology now more than ever. Technology has to replace some of the caregivers need at any given time. I'm a bit confused by the article. Why would it be a bad thing to have less people in a planet that is already strained for resources? At the same time I think these " reasons and observations" they've made may be intentional finger pointing away from the vaccines. My guess is we haven't actually seen a population decline but the vaccines will infact create such a decline. Many say that Covid causes infertility, but again I feel that is just misdirection so the vaccine doesn't get blamed. -- Topic = 11 (submission statement, removed, post, link, does, please, comment, mesge, through, been) >people in the Jim Crow era didn't actively hate black people the way that liberals actively hated white people.. During the Jim Crow era black people were prevented from voting, prevented by law from using the same services that white people could use and attacked and lynched by entire communities frequently with the aid of law enforcement. "For Wakanda!" Maybe take off ur black panther mask.. It's cutting off your oxygen No one said anything about how they were treated.. people in the Jim Crow era didn't actively hate black people the way that liberals actively hated white people.. You mean you didn't know about all the African tribes invented waffles? Loll 2021: We’re just making shit up now you really need to ask? I suggest you get out more and see reality. Sentiment is not the same as actions. Sentiment is what LEAD to the lynchings and segregation. No war but the class war. Lol wtf. I've been DYING to know what all the powerful black men in the industry have to say about our current situation. Where you at Denzeil? Where you at old heads? All this gangster rap shit and some of y'all sorry af. Letting the tall Israeli man leech off of y'alls culture. Quasi homosexuals running this rap shit. It ain't homophobic either to call it out. Seriously. Oh so based on your anecdotal evidence of alone time you weren't allowed in a club space, this is commonplace everywhere? I live in a large city and I've not once had any issues going anywhere I've felt like going. Minority owned/occupied or not. Or maybe specifically YOU aren't allowed in these stated areas, based on looking at your post history. People are just people. Why is this so hard? You’re not on college campuses are you? That shit is fucking insane! They truly want a race war! There was an article on The Root the day after the massage parlor shootings that basically said white people are a virus that needs to be wiped off the Earth. The Root is just Stormfront for black people. Wtf are they even trying to say here? Doesn't make any sense Wouldn't call it a black supremacist site.. It's not a popular or go to site among black people..Moreso it's pushed & digested by the mundane Bruh I don't even wanna look.....should I look? ​ Edit: LMAO pepper! Yuh, ah musta been 'LLERGIC to that dirt 'cause ah started ta' sneezin' an'na coughin' somethin' AWE-full!" They didn't teach Ebonics in my high school......... You know I had typed this whole bigass thing? But I'm not touching this. Read between the lines, hating whites isn't good enough, now whoever is writing this black themed trash is turning on itself and attempting to demonize strong black heteros as being some kinda asshole? To further sow division not just between blacks and whites, OH NO, THAT'S TOO EASY! Now they're gonna try and splinter the black race the way they did the whites. with the red vs blue democrap vs repugnican north vs south east vs west nfl; vs nba trump vs biden pro life vs pro death war vs no war welfare vs no welfare blue collar vs white collar Its endless. We are ALL falling for it, too. Huh? Idk I haven't been prevented from going anywhere I've wanted. Stop making shit up "Hey, that Whopper is for a cop" Welp good morning y’all This was 4 years ago.. Lolol. They really are trying to turn all black men gay. I'm always amazed when the craziest baptist preachers are proven right again and again That's nothing, head over to /r/BlackPeopleTwitter & check out the posts labeled 'Country Club Threads' Just don't comment on anything, you'll be auto-banned if you haven't already proven you're black. More anti-straight bigotry. White people are now not allowed to use the same spaces as black people because of “systemic racism”. White people are being lynched. It just looks like a gang beat down and it doesn’t get reported. I LOLed at this Nevermind then, my bad. What is even going on in the comments of that video. Idk what you’re talking about Im gonna start wearing tshirts with desaturated rainbows I swear We're you referring to the image with the cop and pepper? If not, then it's a misunderstanding on my part and I apologize. Theroot is not nonsense Its a mainstream leftwing site regularly upvoted to the top of r/politics r/worldnews r/news and other european leftwing subss And it's not just the root.. The collection of other left-wing mainstream websites push racism U_R_L "You know, you should be a little less white from time to time.... Hey that's too much! Cultural appropriator!!" TheRoot.com is the fucking worst. I regularly call out the authors on their bullshit. I agree that any hate directed against anyone on the basis of their skin color is wrong and shouldn't be accepted but what OP literally said is that anti-white sentiment in modern America is stronger than anti-black sentiment was during the Jim Crow era, back when black people were frequently lynched by whole communities (often with the aid of local law enforcement), prevented from voting and forced to stay completely separate from their white neighbors by law. This is objectively a bullshit claim to make which is why I'm calling it out. I don’t know what part you mistook for trying to be funny? You seem to either have totally missed the point or not cared to understand. I even said that idc if you say those sorts of things, so I don’t see how it could be misconstrued as “butthurt.” I think you need to think a little more deeply about race, humanity and the impact these sort of attitudes can have on our society. People are very on edge right now about race and “race violence.” Everyone jumps at the race boogeyman. People are overvaluing the color of each other’s skin. Our ancestry is important and so is our heritage because it reminds us of our pasts and where we’ve come from, but it doesn’t define us. That goes for all creeds and colors. Black people aren’t inferior because of there ethnicity, and white people aren’t brutal because of theirs. There is too much hatred and division these days, and we all need to really do our part to sew that divide and come together. Stop attacking each other for different views and opinions. We are all valuable in our own way. This might’ve ended up being rambling so I apologize, but these sort of things just make me sad How dare they! Those facists or whatever! Why am I mad? Let's riot lol Gay Asian Men are the Latin Women of the French Please don't put words in my mouth. I never claimed that were no people in America who dislike or want to harm white people. I'm just calling out OPs ridiculous claim that white people in 2021 are treated worse than black people were treated during the Jim Crow era. Oh ok. I thought maybe his clan hood was getting too tight. My bad Almost certainly (from context) he means "regressive racist leftists who believe in critical race theory" It all begins with fomenting hatred in hearts. And I believe what he was referring to was a general atmosphere of acceptable racism...not random punctuations of mindless violence. Regardless, those times were violent in general. Realize white people were also dragged thru the streets and lynched, not just blacks. And, again...very important point here...blacks were targeted because the general atmosphere of acceptable racism allowed it. We need not encourage that mindset against whites today, not even in the slightest. Whites came to the aid of blacks during that era to save them from the lunatics in this world. Now these same people are spiraling back into the hell of racism and pointless division. I say, Damn all racism...any variant of it, contextual or otherwise No it's the lack of accountability. Just for clarification, what do you mean by "these people"? If you're trying to be humorous, at most that statement was not funny. If you were not trying to be humorous, then it can be viewed as racist, but not by me lol. It does sound butthurt however. >Yeah of course it is but saying that white people in modern America are treated worse than black people during the Jim Crow era is an objectively false statement. I didn't make that claim. However, it is disingenuous to pretend that a subset of the population doesn't want to do the reverse if they had the opportunity. Wtf did i just read. How you gona get more black people if they’re all fucking eachother in the ass lmao Even worse, straight black conservative men are the alt right white supremacist of black people. “Black food is gross and they can’t cook,” is that racist? You’d probably say yes. It’s just once something is aimed at white people, it’s no linger racist or rude. Singling out any race to say something bigoted about them as a whole is racist. Idc if you say white people can’t cook, but it is indeed racist. That said, people need to get beyond race and stop harping about it all the time. Your race is not what’s important. We are all human beings created equally in God’s eyes. Your height, weight, color, ect is not important. Let’s make judgments based on the contents of our character, not the colors of our skin 👍 After Gawker was bought out, almost all of their sub sites have pushed hard left. The Root and Kotaku are terrible, just terrible. Jalopnik seems like it was able to get away relatively unscathed but then again I don't read their editorials. Hey nonce, we just want some fucking consistency. Yeah of course it is but saying that white people in modern America are treated worse than black people during the Jim Crow era is an objectively false statement. There's no comparison to be made. Anyone that calls anything racist is a pussy. Toughen the fuck up all of you. They said that anti- white sentiment in modern America is stronger than anti-black sentiment was during the height of the Jim Crow era. You know back when black people were routinely lynched by entire communities and they weren't allowed to use the same water fountains as white people because they were considered unclean. >There's no comparison to be made here. Racism and violence is wrong. thats not what he said. Remember, reddit just fired a pedo from it's staff, and that took over a year of gathering evidence to get reddit to move. Start reporting links that are specific to harassment and calls- to-violence and illegal-pornography-trade to the FCC, and make sure that your report is publicly posted. There are thousands of people on this site that need to have their feet put to the fire for their anti-social behaviors. This is clearly racist nonsense designed to cause division among society. r/ihadastroke That's one small group of assholes shouting about attacking white people, compared to actual lynchings of thousands of black people perpetrated by whole communities all over the nation over a period of centuries. There's no comparison to be made here. Not for a lack of trying. Go on a shit website. Get a shit headline. You've gotta be kidding, you think white people in modern America are treated worse than black people during the Jim Crow era? How many white people are being lynched? What a ridiculous thing to say. its not fake unfortunately. very real and most of their garbage is along these lines. Lmao, is this real?... This is called capitalism, anything to get clicks. This is getting confusing and irritating Maybe most people don't really hate each other. They just want simple lives and allow the status quo to continue existing because it's the easiest thing to do...path of least resistance and all. But, yes, it is concerning when you have one demographic promoting "black excellence" and another actively mocking their own nature. The power of positive thinking is real, and those that push these self loathing sentiments fully understand that concept This idea that white people cooking is inferior to other ethnicities is not only racist(obviously), but utter bullshit when you think of all the different cuisine types thw came to the US from Europe. I don't even think the anti black sentiment was that strong during the height of the Jim Crow era.. Does this mean straight black men have white privilege? Do they have to pay reparations? That's due to moderators also being writers for that publication. I noticed younger folks, mostly White, constantly saying some variant of "eww...your so White" to each other a few years back. The levels of propaganda being disseminated in school must be unbelievable. These people are coming into power, keep that in mind. And they have blatant hatred for a sizeable portion of the population Why do MSM of any 'race' still consider themselves -Straight' while ocassionally cheating on their wives, etc? Delete this shit😂 the root sounds like a fake site So from this I get “people are people”.... Ss More root headlines: U_R_L Its racist More root headlines: U_R_L You can tell that "white people" is just a straight up derogatory slur in his mind What the fuck did I just read? This word has gone down the shitter, at this point the deepest depths of hell is starting to look much better That sentence requires you to know stereotypes. Instant failure. Lmfao, they think there so edgy Doublespeak. Craziest shit I've ever read **This just shows you can't be a "normal person" or you're "white"** (which makes no sense because this agenda is anti-human in nature) _The goal is to have everyone be a victim, this just makes it more obvious._ that headline is a headache to read lol wut Take this shit down lol This was a few years ago.. before he went completely senile It was end to end encrypted til Facebook bought it. They tell you it's end to end encrypted still, but that's fucking funny. How can the same guy be all-powerful and also sleepy and frail? TEN PERCENT WhatsApp is supposedly end to end encrypted, or at least is generally viewed as “secure”. What’s the significance of WhatsApp as the communications tool I see most often when these nefarious deals are going down. Is it because of easy international capability, where they are when these convos occur or does it have better privacy? “I’m the guy that...” C’mon man! - Joe Biden SS: Joe Biden is a man of many names > I don't agree with AQ playing Donald thesis, I agree, this is bull but as you correctly said, it's a very good article. Sometimes an erroneous title can be used as a disguise to sneak through an article with a great deal of normally unprintable truth. You should read the article before attacking the source. They have just recently written articles that bash the "conspiracy theorists" and other "Assad sympathizers". But the CIA funds and founded Al Qaeda too, so.... Washington Post hired Podesta. This is Huffington Post Well I don't have the same outlook. If you can poke one hole in something, you don't just set it on fire. You don't just dismiss it permanently, forever. Like I said before, if you find gold in a flaming shit bag, you should seriously consider acquiring the gold. HuffPo also hosted an article advocating the sexualization of teenagers at a younger age... Al Qaeda Article's author is **Scott Ritter.** Ritter was an UNSCOM weapons inspector in Iraq. He was USMC. He was fired by Bill Clinton in the 1990s which gave him immunity from accusations of being "anti-Bush" after 9/11 when Bush was regarded as a god, with 90% approval ratings. Ritter was one of the most outspoken opponents of the Iraq War -- and one of the most qualified. And therefore dangerous. Seymour Hersh took Ritter under his wing, and the pair went on a speaking tour. Ritter was a threat. Then Ritter got busted in a murky incident responding to an "Internet plea for help" from someone posing as a teenage runaway at a nearby McDonald's. Ritter was arrested on suspicion of child exploitation. The case was thrown out & court records were sealed. Ritter went back to normal. But then it happened again & Ritter was busted by his own laptop cam filming him jerking off with a posed "teen" over the Internet. He went to prison. His career as a threat to power was over. He seems to be trying to follow the Bill Clinton playbook for "assassinations of public disgrace": Just keep coming back. Huffpo's founder has Deep State / intelligence ties. Giving Ritter a platform can have the effect of "engineered backfiring" since most readers will not recognize Ritter, and when Ritter's article sparks a tempest over the obvious Syria questions, Ritter's backstory can be used to roll-up the anti-war opposition neatly. U_R_L Ritter's truthtelling is still true. But he is a flawed messenger who can be used. U_R_L The article is pretty good, really. HuffPo has a lot of contributors, you never know what you're gonna get. Gold is where you find it. > I don't agree with AQ playing Donald thesis, but it's the people behind the AQ who play him WHat is AQ? Fuck outta here with Huffington Post. Quit insulting our intelligence. Why are you surprised? OF COURSE the CIA mouthpiece will try to shift attention away from themselves on to al qaeda? More likely the CIA conducted the gas attack or false flag to goad Trump specifically so they could run this story to discredit him and lower his ratings. Trump was being baited and he fell for the bait. Or that's his plausible denial for towing the ZOG line. He is ZIONIST and Banker thru and thru. He got your vote and doesn't give a FUCK about you now. He's going to run 2020 hoping to get the other vote now Bull fucking shit. Fuck wapo. Fuck all those "do and say whatever needs to be said journalists" they hired podesta. Find your line and stick to it. Watch HufPo pull the article soon - or bury it. deleted ^^^^^^^^^^^^^^^^0.0877 ^^^What ^^^is ^^^this? -- Topic = 12 (which, than, some, most, were, other, very, these, our, been) getting vaccinated and boosted is the best line of defense in protecting against Covid altogether, and reducing your chances of severe symptoms and hospitalizations if you do get a breakthrough infection. The odds of severe illness are much less favorable if you’re not vaccinated, so if you still haven’t rolled up your sleeve, make your appointment to get your vaccine today. So yes, the idea of getting sick when you’re vaxxed sucks, but rest assured knowing you’re likely not going to feel as crappy as you otherwise might if you weren’t vaccinated and boosted. Better safe than sorry. Because I thought it was relevant. I'm bothered by people who are easily fear mongered especially after the massive psyop we're currently living through. Not a peep since… closest westernized nation, Australia… captured. When do you think Taiwan falls? People elsewhere in the world seem to forget how crazy it was getting in HK that year. Closing down airports with umbrella protests and then all of a sudden the perfect excuse to lock down the populace 🤔 Oh noo gojiraaa Oh wait literally zero sources. Hmm it's as if they have more people or something compared to the rest of the world... Definitely needs a proper research. Because it's something that china goes through every 10 years or so... It's not new and has been going for many years. They already know what to do when they spot it. As long as human to human transmission is impossible it shouldn't be a big deal. Viruses generally don't mutate to become more dangerous. Didn’t Bill Gates say the next pandemic is going to grab the peoples attention? This is bullshit. Plain and simple. China is full of shit and so I omicron. How convenient 🙄 Who the fuck is that guy and why would I listen to him? Well I guess I have a better chance of dying 🙃 I think we were dated the same girl According to the breitbart article it is “rat-fueled” which is as laughable as the “bat-fueled” c19 so based on the rhyming animal trend it will spread like Covid did but be “deadlier” scaring the un-jabbed into getting jabbed. And the world ender will be “cat-fueled.” Just a theory. 12% would be pretty significant though. That's over 800 million people worldwide. If supposedly hospitals can't keep up with Covids under 1% death rate, 12% would be catastrophic. Even worse if those that survive have bad long term issues. Just gotta wait and see if it is easily transmisible or not. You know this also happened the same time last year with the same strain of bunyavirus. It’s honestly a nothing burger. You catch it from rats. The fleas/ticks carry it. Thrombocytopenia? That just happens to be a side effect of the new "vaccines". Why have you commented this same thing so many times? Bad bot Honestly at the point I don't give a flying fuck. These people who are happy to sit in their houses and watch TV and stay safe blow my mind. I can't do it, they've took away any normality, we're constantly on edge to what's next. People are so scared they can't function. We can't fly anywhere or do anything without a what if. People lost their jobs the jobs are folding. Like honestly let me fucking live my life and if I die then so be bloody it. More likely a case of fake propaganda like Covid positive people collapsing in the streets. Although I wouldn't put it past Gates and Fauci to release a more deadly virus. More likely a case of fake propaganda like Covid positive people collapsing in the streets. Although I wouldn't put it past Gates and Fauci to release a more deadly virus. More likely a case of fake propaganda like Covid positive people collapsing in the streets. Although I wouldn't put it past Gates and Fauci to release a more deadly virus. I saw something about a Hantavirus outbreak in China on WION news about a year ago. Thank you for providing sources. I had no idea what to Google. I thought this was talking about a new Covid variant. It’s hemorrhagic fever. They get a run of it every decade or so. U_R_L U_R_L U_R_L U_R_L Even if true, I thought 12% is too high of a fatality rate To really spread far. There is like a perfect balance to spread without killing too Many hosts otherwise it stops spreading. There is plenty of Chinese dissident groups and underground religious groups with very good connections in mainland China, they would be the first (also Chinese medical defectors) who would be sounding the alarm. This does not look reputable in the least. Guess what, I live in actual restricted and enforced parts of America…and it doesn’t fucking matter, we have covid cases as bad or worse as anyone else. Public health policy during this time has not been about saving lives. If you’ve been paying attention…that’s what the elites want. They want the average person confused and fed up so they are weak when presented with a real threat..so they will either freeze like deer or follow blindly like sheep. Keep your wits about you. Your neighbor is not your enemy, even if they seem stupid to you…maybe especially if they seem stupid to you Can someone back this up? I don't believe it It is actually. I'm not half as afraid of viruses as I am of dystopian authoritarianism. Who's reporting this? Not saying China is not shady but this kind of video talks with no proof and brain is just stupid. China locked down the cities because they had more than 100 cases. Hate it all you want but this is how they contain the virus from the beginning and it is effective when all the citizens comply. If they don't lock down now what do you expect? to spread the virus wilder so that it will affect the sports event? Use your critical thinking if you really have one. I just made a post about this 5 minutes ago asking if anyone knew anything lol Good idea. Then move it to Brazil where it's warm and the virus can't spread as easily. Cancel the Winter Olympics and put it off for 1 year..? Good thing the Americans are armed. Touché Yeah not enough censoring of political extremist in Africa, posting videos of genocide ... It's no worse than the flu Didn't the Facebook "whistleblower" say Facebook isn't doing enough to censor people? All I could find is a “emerging hemorrhagic fever in China with 12% death toll rate“ but everything I find is from 2013. yikes Most plagues originated from China. They also have the highest rate of death from natural disasters historically and overall have a huge death toll from governmental mandates, like the great leap forward. We’re talking millions upon millions for each disaster. Biggest floods in history, biggest famines, biggest floods, biggest everything. This is actually a big fear that conspiracy people have been saying. China showed that the west is too incompetent. And an actually dangerous virus would be frighting unless you're the protected laptop class pro restriction people. Fine, bring it on. I thought the same thing like stop rubbing me over the pants and just fucking kill me already if you’re gona do it. U_R_L .bitchute. com/video/S8F894lIQ60B/ hopefully this will work just copy and paste and delete those two spaces FYI the domain you linked is on a site wide hard filter run by the reddit admins. As moderators, if we try to approve the comment it is simply returned to the spam filter time and time again. *I am a bot, and this action was performed automatically. Please contact the moderators of this subreddit if you have any questions or concerns.* I think WW3 started in Hong Kong, 2019. The Di Dongsheng video has him bragging about how they have powerful ties which is what empowers them. He literally says that they used connections with a powerful Israeli banker to get stuff done in the US as an example. Correct. Well said. Thanks! “Buy on rumor, sell on news.” Treat this as the first hint of something to keep on your radar rather than anything to act on. Unfortunately due to the CCP’s stranglehold on domestic information if this is actually major, there’s probably not gonna be much real coverage until it’s far too late. There might be some second party attention sometime soon from China focused organizations such as the Epoch Times, and America Uncovered but even those tend to have strong biases. I always hear ppl say that but never looked into it..link me some please. It's the only way to be sure. Link to new pandemic evidence? I can't find any info other than this video. \*Bridges for sale! Get your bridges here! Bridges for sale!\* Yep. This is war. Damn. I'm not forgetting the darkest moments of this " pandemic " when the were censoring the fuck out of everything trying to help ease we the Peoples suffering. They were slowly strangling we the people but the. One day in November those disgusting pieces of shit at facebook had something happening to their internal servers and for millions facebook com was not working for countless hours.. something that " doesn't happen to companies like facebook" and days later, finally facebook were called out by a whistle blower and she was exposing how fucking evil they were. Of course, following the whistle blowers testimony, she immediately was being slandered all over the net. But then facebook stopped existing as a company and was rebranded to meta. Fucking cowards. Then Pete Dorsey ran like a fucking coward, leaving Twitter another peice of shit company that was censoring things that would of ended up helping we the people during the darkest of dark days during the " pandemic ". What I'm saying is that we have all seen alot of things happen, that people say " that's not going to happen " Nobody is going to war. Watch. 🍻 Any of the above plus KY, TN, Southern IL, MO, or pretty well any other Southern state. Really, almost anywhere that isn't a big city will be fine too. since they started the transportation restrictions in November, were trapped.. nothing short of a miracle is getting us out of here.. but just in case, where should we be heading? Texas? Florida? south dakota? I live in free America and the governors here can say and mandate all they want but no one gives a shit. Do yourself a favor and get out of that hell-hole, there's never been any enforced restrictions in at least a 100 mile radius (if not much more) from me. I live in communist Canada, the overlords here aren't winning the Independent Spirit Award anytime soon The links are in the description of the video on YouTube. First link goes to Global Times. They should think about nuking china the countryside just creates bad shit all the time If I had more upvotes, I'd give them all to you If you want death toll porn numbers (from previous years), U_R_L “Hemorrhagic fever is a common infectious disease in northern China,” the paper \[Global Times\] said. “Starting from October every year, some areas of Shaanxi \[of which Xi’an is the provincial capital\] enter the high incidence season of hemorrhagic fever.” If it’s as bad as this guy says and they still have the Olympics then I’m gonna go ahead and assume the destruction that will follow is 100% intentional. Be it deaths or lockdowns or whatever. Fuck this bullshit. There is no “peaceful breakup” with China. They are owned by the same bankers that own the rest of the world. Rockefeller’s went and built their infrastructure towards the beginning of the 20th century then used them as a test bed for policy and control technologies. Hell their feds owned by the same people that control our fed here in the states. They are the intended boogeyman for the time being until just like Oceania and Eurasia having always been at war. Hanta Virus This is reminding me of my ex G.F. Always when things were starting to be going good for me She would wake up crying She would start demanding to look through my cellphone I'd end up getting the silent treatment She would make requests of me that were outlandish Only when things were going good for me..... I ended up breaking up with her but that was after staying in that " relationship " for too long. I see where this is going with China. They are not going to stop fucking with us. Until we break up with them. Peacefully. No war. Just walking away. Do you have sources other than this YouTube video? They can put together as many teams or committees as they want, doesn't do any good if people aren't going to follow any of the measures. We don't live in communist China, people can pretty well do whatever the hell they want at any time. If no one gives a shit then this is going to spread like wildfire Now I really get to flex my super human immunity on these goons. My T cells chuckled after reading 12% death rate. there was some talk a few weeks back about the WHO putting together some sort of pandemic response team to unify the world's pandemic measures.. would likely be accepted with open arms by many, I suspect.. This is the video I commented about earlier. Is this the one that Bill and Melinda were so giddy about? Viruses don't exist, ya'll. Not in the way we've been told. (never isolated). This is another hoax serving the Great Reset, guaranteed. LOL $CIence™️ This is really how the world ends. With the world so fed up with pandemic measures and confused on what to believe from covid that they don't give a shit about a really deadly virus spreading around. If this is real, we're gonna see a lot of deaths Bring it on you sluts 27 is when the rockstars die off. Im pretty sure your ego won't help. I had to ditch mine. it was distorting the path of development. I know of Siddartha and I know of Jesus. This break through you have planned... good luck with that. I have yet to meet an entity capable of planning their ascension. give yourself time my friend. trade ego for wisdom. Well, it's pretty out there and I can't say I believe this theory, but I will admit that it's a lot more possible than the Flat Earth shit. Yep to each their own I don't agree (I think reincarnation is a deceptive scam and life is needlessly full of horrific suffering) but thanks for your time. :) I wish to play as an ego until I am ready to transcend. Only 23 years old. Gonna have some fun first. Somewhere in the bible (or Tool song?) speaks of "10000 days is sufficient". About 27 years. About the age of Jesus and Buddha when they broke through. Thanks for the reads Buddha brudda/other self/parallel I AM :D Because you get to experience different lifetimes like a video game :D Deep down you can return anytime you'd like. But deep down you also don't want to, your soul WANTS to be here. Everything is free-will, you chose this on some level prior to being here. You can call it being a "light worker" you can call it your soul playing different avatars as different "Vdieo games", you can call it a universal school of 3-dimensional-to-5th-dimensional-consciousness shifting process. YOU CAN CALL IT A CELEBRATION. It's all up to you. Don't be a victim. Yes some shit sucks. When you see the gift that life is, all the "shit" is just kinda like... not a big deal. Read this: U_R_L It's a great perspective on 3-dimensional consciousness (spirituality is not the focus but how i describe it) Also, smoke some DMT. You'll find it's not better nor worse to be on or off the wheel of incarnation. You will experience all of life eventually as the Creator you are. You've just decided to act as a wonky human for now, just as the rest of your extended "family" (humanity) :-) We are One Read the Law of One. Your path is your own. my path would likely be detrimental for you. Learn to contextualize information. Figure out the Archetypal Mind of The One Infinite Creator. You have no need of videos and such. thats just more lightworker bullshit. What benefit is there in having amnesia and suffering reincarnation over and over, just acting as an energy slave? There is no benefit that I can think of. Karma may be real, but karmic debt seems like bullshit or partial bullshit in certain context. And you cannot evolve spiritually when you keep forgetting what you have learned. Or am I missing something? lazy dumb contractors (redbrick scum) using Skyrim and other popular fictions as inspiration for social fantasy. H.P. Lovecraft and his books also are massively plagiarized by the TLA contractors. hello Adam Lanza for example. compare to HPL. somebody has been playing Skyrim. lay off the moonsugar maybe. You are the seer of benevolence. Train your mind to see what benefits you instead of focusing on what you fear. Yes there is Yin/Yang to every situation in duality but you learn to "swim" through reality in a way that actually serves you and doesn't lock you into a paradigm of fear-based programming. Is this incarnation akin to slavery or a wonderful learning experience on the level of Soul? You decide. Is lifting weights / exercise a painful act that causes soreness and fatigue? Or a process of building your body stronger through repeated effort-until-failure; ultimately leading to a greater degree of health and wellness, both physical, mental, and emotional. You decide Dude I hella resonated with that. Any resources/vids/guides/inspirations/practises that you could throw at meh? I DONT HAVE ANY PROOF OR EVEN THE SLIGHTEST OF EVIDENCE FOR MY CLAIM BUT PROVE ME WRONG GENIUS! I think we’ve heard enough from you HEY GUYS THE 5TH DIMENSION IS MADE OF BLUEBERRY JELLO PROVE ME WRONG GENIUSES Why is that? Strange reply (as if I offended you or something....) Im glad im not you. Correct me if I'm wrong but spiritual amnesia/memory wipe negates all learning progress. So I don't buy into the claimed benevolence of reincarnation (if it is indeed real). How do you know the Moon doesn't have any atmosphere? The moon is a luminary. It is for signs and seasons. In a figurative sense, yes. Before electricity, night (when the moon is out) generally kept people within shelter; with nothing else to do, human inclination is to look inside oneself and examine the soul SHUT IT DOWN!!!!!! Whatever you're smoking, I like it. Silent kabooom!!! sorry, but there wouldn't be any sound :( Well usually there is something to ignite the theory. Its supposed to be more than just >Hey guys wouldnt it be crazy if (blank) Kabooooom!!! Only one solution **NukE- tHe/M0oN!!!111111111** That's why you don't go towards the light. Holographic universe. I'm sure if we all put our heads together we could come up with something at least slightly more ridiculous. Give me a day or two and I'll get back to you. It’s a conspiracy theory about a covert ET technology, genius. What do you expect them to publish in Scientific American “The Moon turns our to be an alien soul-harvesting machine”. If it were true, there would be no public evidence. I would love to see a single shred of evidence that the moon is really an extraterrestrial machine designed to harvest souls from earth so it can reset them and send them back into a new body. To be honest it sounds like somebody sat down in a room and tried to think of the most ridiculous thing imaginable and came up with this. Convincing No it's not Oh that it were true. The moon... really... I dont put it out of the realm of possibility that its not a naturally formed object. That it may have been put there. The point of all of this, correct me if you feel, is to complete the life/death cycle until you remember your purpose and then carry out that purpose. from that moment you find it to be much like the sleep/wake cycle except now you realize a further dimension and density of self. ...then proceed humbly serving the Infinite Creator. The souls that are drawn here from other Dims/Dens usually just dive in and die here and the cycle for them begins. Let me say... this is a path that rarely leads to the so called ET souls staying in this octave and Logos. It may surprise you how capable this Octave of Creation is. Its not a place any entity can just drop into. That is why the veil of forgetting between deaths is so useful. you are not programmed by some thing out of your control. That is just functionally not how it works in my experience. You are still you and you cant run away from it. may the light guide you and the darkness give you rest. You should look up "PacMan moon Saturn" Suddenly PacMan makes a lot more sense... I don't know a thing or two about a thing or two but this tower on the far side of the moon seems out of place.. Nasa Photo - enhanced - close up David Icke: SATURN MOON MATRIX Yes but I cannot seem to recall... Because we handed all the power to do so. The public decided if they needed information on a particular subject Google is where they would turn, it was only a matter of time before someone would take advantage of this and understanding how the average persons wired, jury the results you seek on the last of however many millions of results came up. Basically, to answer your question, because they can. why not just link a search engine that only has the sites google censors? They are not a privately held corporation. They have to answer to their shareholders. Name all billion please. Google is a privately held corporation. They have the right to do what they want. Sites aren't being blocked. You know there was an internet before search engines right? It's not the only way to get to a site. Yottabytes if you save every bit of your millions of users interaction with your data as well as full webpages with text and media Well. You can get the IP address from the domain name and vice versa. If you are saying you want a censorship free 'google' then yes, you'd have to code it. A good way to start would be to write a spider to programmatically generate public IP addresses, run DNS queries on them to find out the name, ownership details, etc. And then actually wget / download the contents there and store the rawtext in a database. This would get you a basic raw-text search using the native searching mechanisms of your database software. Anything more like context searching you'd have to roll your own database procedures So then your only problem is bandwith and the cost of housing several yottabytes of data You use DNS, that's what it's for. You query a domain name service and it will give you the IP address. I think the real answer you're getting at is that search engines have become portals--that is, the gateway to websites. If you don't get a result, then any sites that might be out there effectively do not exist. This is what they call the darkweb, stuff that's so *long tail* it doesn't show up (way down at the bottom of lists or doesn't show up at all). anonymous@anonymous ~ $ dig google.com ; <<>> DiG xxxxxxxxxxxxx <<>> google.com ;; global options: +cmd ;; Got answer: ;; ->>HEADER<<- opcode: QUERY, status: NOERROR, id: 20804 ;; flags: qr rd ra; QUERY: 1, ANSWER: 6, AUTHORITY: 0, ADDITIONAL: 1 ;; OPT PSEUDOSECTION: ; EDNS: version: 0, flags:; udp: 4096 ;; QUESTION SECTION: ;google.com. IN A ;; ANSWER SECTION: google.com. 300 IN A 74.125.196.138 google.com. 300 IN A 74.125.196.100 google.com. 300 IN A 74.125.196.113 google.com. 300 IN A 74.125.196.139 google.com. 300 IN A 74.125.196.101 google.com. 300 IN A 74.125.196.102 ;; Query time: 54 msec ;; SERVER: 127.0.66.66#53(127.0.66.66) ;; WHEN: Wed Jun 22 19:46:19 EDT 2016 ;; MSG SIZE rcvd: 135 blocking a site on a search engine **is** censoring, it's search result filtering that effectively hides access to a site by burying it under other search results. you don't know what the word censor means. there's billion search engines You would have to code your own indexer If you're doing a search and the site doesn't show up, how would you know the direct address or IP? U_R_L Great article that exposes Google for what it is.... a C.I.A. Controlled company blocking a site on a search engine isnt censoring, its search result filtering... you can always access the site with the direct address or ip. such biased post. *Become*? Look who founded them. -- Topic = 13 (police, government, law, were, gun, should, them, his, state, guns) gorka was a breitbart editor? i love him even more now. I didn't ask anything, and I'm not saying that fake news isn't a thing because I agree that it exists. Did you mean to comment this to someone else? This actually did happen, time even apologized for it, it took 2 seconds to verify. U_R_L Same tactic they've applied to the negative words people have called these bandwagoners - like deplorable Wow, from the Daily Fail, via Brietbart. That's some reputable sources you've got there! Lol thats the only thing you have? and by the way the guy apologized for that. Never question our dear leader Ok hitler So, no link to the article in question, and no proof that the article was a lie. I'll take that as a no, you can't point to a specific instance of the media pushing fake news against Trump. Oh the irony of using a Breitbart image in a post about fake news You asked for one instance. But, here's a list., jackass. Seriously? That's all you got? We shall say "nee" again until you appease us... Where were you for the last eight years? Lol First day TIME lied about him removing the MLK bust. They KNEW of the racist implications of that claim. "Fake news" was originally used to describe websites that deliberately published fabricated stories with the intention of appearing as if they're real news. Examples of such stories include "the pope endorses Trump". Some of these stories were very widely shared on social media, even more so than real news stories, so it became a big issue and started talk of facebook cracking down on it. Since then, the right has co-opted the term and now use it to mean "any news I disagree with". You didn't answer the question. Can you point to a specific instance of the media pushing fake news against Trump? Lmfao. Rlly? Wrong. Hypothetically speaking. CNN are a group dedicated to an agenda largely influenced by progressives with bad arguments and socialist delusions, but that bogus thing for Trump admin to say... The media, under all presidents, should be critical in their thinking and challenging in their coverage. yep, they are doing everyone a disservice by crying wolf all the time, including Trump supporters. Chill OUT. Everything is fake? Everything reported on Trump is fake? You realize most of what they do is read back his tweets.. he's clearly retarded enough on his own the media doesn't have to make shit up. Being that the media can drive any narrative based on the owners' bias, then maybe more owners are needed. Break up big media and then the population would be more equally represented. Right now, most of the mainstream media may as well work for David Brock. The current theme of "the sky is falling" is already super annoying. Wrong with what? He hasn't done anything illegal or anything unconstitutional. The alertists are starting to realize their bells are breaking from ringing them so damn much. *"I have very smart people telling me that Obama was not born in America, smart, very real and smart people"* But you mention the size of the crowd at his inauguration, which is provable with actual photos and the media is the one lying... How anyone, anywhere can support this clearly insane person as the president is scary to me. hahahaha and that Image came from Breitbart. Thank you for proving my exact point. When you have the presidents counselor making up fake terrorist attacks to promote his ban on immigrants, I think it's safe to say the media isn't the only part of this coin making shit up. He was born at the Kapiʻolani Maternity & Gynecological Hospital in Honolulu, Hawaii you fucking moron. U_R_L Just the President and the government in power trying to discredit any opinion they disagree with, certainly nothing frightening about that... /s No no - it's the creation of the final victimized group; the white man. That's literally the opposite of being worthy of their time. There's nothing wrong if Trump doesn't want his admin on CNN if that's his prerogative. But Obama never got into a yelling match with a fox reporter about how Fox News if fake news. From what I know, he almost never flat out refused questions from Fox News either. Obama absolutely thought Fox News was worthy of his time when he banned his administration from going on their channel. You didn't forget that did you? Criticizing the president is allowed and necessary. Attacking the president and making up bullshit stories to discredit him is neither. this coming from the people who wouldn't even admit that President Obama was an American Citizen. Hypocridiots The rise of a dictatorship in America. When have they reported fake news about Trump? Good thing we have continual unrelenting criticism of the president. I don't really know why your title of the article has quotes when the actual headline of the article is not a direct quote. Deputy assistant to Trump, Sebastian Gorka said >"There is a monumental desire on behalf of the majority of the media, not just the pollsters, the majority of the media to attack a duly elected President in the second week of his term," Gorka, a former Breitbart editor who also holds a PhD in political science, told syndicated conservative radio host Michael Medved. "That's how unhealthy the situation is and until the media understands how wrong that attitude is, and how it hurts their credibility, we are going to continue to say, 'fake news.' I'm sorry, Michael. That's the reality," he added. Exactly, why the hell should anyone believe anything told to them about Trump by the MSM, between the way they have been dishonestly reporting on him and the known collusion with camp HRC. CNN has no room to bitch and moan about their integrity being put to question. Yeah, I remember sharing a news story that appeared to be from an ABC News website saying that the protesters against Trump were being paid and it turned out to be a fake ABC News website Sorta, yeah. I could be wrong, but I'm pretty sure the whole buzz word "FAKENEWS" originated in this past election when there was a plethora of legitimately fake news stories from both sides floating around the Internet, but I think more of them tended to lean towards fake news about the democrat nominees (both before and after the primaries), so it was the more liberal people who began calling out fake news. But then that got picked up by both sides, and fake news turned from an actual term to define factually incorrect information to a buzzword to use whenever someone disagrees with a news article. TL;DR yes and no. Both sides contributed to making "fake news" what is is presently. I didn't like either of them.but to not be allowed to criticize the president is a violation of our 1st amendment rights People said this about Fox News during Obama's term. Yet the POTUS didn't deem obviously fake stories worthy of his time. Our new president thinks every minuscule thing that catches his attention is worthy of his time. He's the fucking president. He shouldn't spend four days talking about his inauguration audience numbers. I think we will become the media, as we demonstrate here every day. Since everything they publish is fake when it comes to trump. I agree 100%. If they had any credibility at all this wouldn't be an issue. They use nothing but fake sources and shove blatant lies and misinformation into the living rooms of a very scared population. A population that the news has made. There is no unbiased reporting being done at all. It is all NWO propaganda. We saw them do it with Bernie on the left (the real left not the batspit crazy HRC following "left"). Thats why the media should stop pushing fake news and start reporting fairly. They need to save some credibility to point out when he is wrong. Hopefully independent media outlets will be more popular and widespread by that time. She still lost girl, get over it. Wasn't the term fake news invented originally by the left? Right. The fact that it didn't happen makes it fake. Not at all trying to say fake news isn't real, just think it's shady that they're openly saying they're planning on using the term fake news on things they feel are attacking the president, instead of reserving fake news for only news that is wrong. But what if the President IS wrong? I mean, he could be, couldn't he? teddy was a man... =) What does that have to do with what I posted? True. Just because someone doesn't like what was reported or thinks it should have been reported more or less doesn't make it fake. You know she lost, right? Might be time to move on with your life. "To announce that there must be no criticism of the president, or that we are to stand by the president, right or wrong, is not only unpatriotic and servile, but is morally treasonable to the American public." --President Teddy Roosevelt It goes both ways I guess should be our takeaway I fully understand not trusting the media and trusting the left, and I’ve seen myself that they do have a lot of shady shit. I don’t like linking CNN, but even though some news stories are fake, why is it okay for the president’s staff to openly declare that they’ll attack you for running negative stories about Trump because "attitude of attacking the President is wrong.” I’ve been browsing here for a while and agree with some stuff, but I’m also skeptical about other conspiracies. But I’m posting here for the first time because I find it scary that a president is openly declaring that criticizing him is wrong, and there’s a large amount of people that agree and think he’s free from criticism. I hope that r/conspiracy is watchful and critical of trump in the same way they are with other areas of government. Must have been written before the Bowling Green Massacre was made known. U_R_L Larry Holmes is gay. This was your question: >You specifically support Trump because he allows other countries to control the US military? The answer is no. No one can explain anything to you, because you're either a bot, incapable of comprehending the subject matter, or you really don't want an actual discussion. It seems i cant help you, sorry. Edit autocorrect Why did you ask me a question if you can't reply to what i wrote? You're just flinging your own feces here. They say there's no such thing as a stupid question, but you are working very hard to disprove that. The answer is no, of course. I've already told you why i support trump, because there is no involvement in new wars and vastly improved diplomacy and foreign policy over the last two administrations. Edit: do you know what "specifically" means? Ok buddy You're not making much sense You're ignoring that Turkey is a much more important ally who we have signed a military pact with. The kurds are only interested in defending and expanding their own territory. You're advocating a decision that would hurt the US and NATO and help Putin, just because you dislike trump. If trump had done as you suggest, then you would advocate the opposite. Edit:sp Your comment has zero to do with my comment. It’s called With Kid Love Productions, not kid love productions. Equally as questionable, but wanted to correct you. Here is a video from his show defending Mary K Laterno who statutory raped her student. They claimed it was love... but Bill defends her. Henry Rollins, Cedric the Entertainer, and old MTV VJ Kennedy are trying to reason with Maher in disgust. U_R_L I'm leftist, and quite liberal, and I can't fucking stand Bill Maher. That's not me downvoting, there's sensitive people who are unhappy of claims of people being flipped or not flipped, without any kind of evidence whatsoever. Politics, eh? :) I don't get that logic. If I wanted to hurt the US, i would want the US to stay in the kurdish region and keep defending the Kurds. It was a lose/lose situation. There was nothing valuable there that would help us strategically. The kurds are not valuable allies(their only interest is to defend kurdish land) , and they were using our presence as cover to expand their territory, and it was infuriating turkey. Turkey is a hugely important NATO ally as the second biggest military after our own, but they would have come into direct military conflict with us because they won't allow a strong kurdish military on their border. So if I wanted to hurt the US and NATO, i would try to keep the US wasting money there, with nothing to gain, and watch as turkey and the US come to blows over the issue, and then increase friendship with Turkey, removing the second largest military from NATO cooperation. Turkey isn't going to stay in NATO if the US wont even let them police their own border. Matthew North knows. So is Joe. Haha, that’s good! Seriously I laughed. Wish your father wore one. Ohhhh sorry. I couldn't help it. Lol, Trump is putin's puppet. Thats why he took out Russia's buddies in Iran. Thats why Obama said "tell Putin I'll have more flexibility after my reelection"... Thats why Obama did nothing while russia took over Crimea. Thats why most of the dems have massive corruption scandals involving the ukraine. The russiagate hoax is more insane and unfounded than flatearth.... Haha. Maybe? More like I’m rubber you’re rubber. Did you just I'm rubber your glue me? We've removed this comment per rule 2, as we ask that you address the argument rather than the user when commenting outside of the meta sticky comment. If you remove the section of your comment directed at the user, rather than their argument, we will be happy to reapprove. We've removed this comment per rule 2, as we ask that you address the argument rather than the user when commenting outside of the meta sticky comment. If you remove the section of your comment directed at the user, rather than their argument, we will be happy to reapprove. We've removed this comment per rule 2, as we ask that you address the argument rather than the user when commenting outside of the meta sticky comment. If you remove the section of your comment directed at the user, rather than their argument, we will be happy to reapprove. We've removed this comment per rule 2, as we ask that you address the argument rather than the user when commenting outside of the meta sticky comment. If you remove the section of your comment directed at the user, rather than their argument, we will be happy to reapprove. Gotta source for that? I don't like him because he's a neoliberal shill. Doesn't like Bernie because the rest of the government will stand in his way of getting things done. This type of neoliberal realism is a plague. Bernie's got decades of experience in government. I think he can figure out how to exert executive privilege when he needs to. This is totally disingenuous. If you watch it, he has some things to say about Cosby and his ego that aren't coming knowledge. All while chastising comedians for profanity and whatnot. They go right from that subject to talking about the foregone era, where people like Jerry-Lee Lewis, Elvis, and Chaplin married children with no repercussions. No mention of Ted Nugent or Steven Tyler though. Michael Jackson is mentioned only briefly, nothing major is discussed about him. They are mainly talking about how times have changed for the BETTER. Joe brings up watching porn with 13 year olds, Bill said he doesn't think he would condone it. Joe brings up a statistic that says many porn actresses have been molested. Bill asks permission to put his feet up, and Joe grants it. The thing about this interview is than Joe outs himself as a progressive, and you can't stand that. While they crack on male feminists, talk about divorce, and comedy club experiences, you just want to mold the whole conversation to your predetermined conclusion that all Democrats are pedophiles. Grow up. Good boy. I knew you could do it. Now roll over! > You're receiving this message because you posted in defense of Donald Trump. It has been my experience that his supporters are universally incapable of accepting verifiable truths about him and, by extension, themselves, thus rendering discussion pointless and, a waste of time. Best of luck with your ongoing battle with reality. You sound brainwashed. Is someone paying you to post this on a Saturday? You're receiving this message because you posted in defense of Donald Trump. It has been my experience that his supporters are universally incapable of accepting verifiable truths about him and, by extension, themselves, thus rendering discussion pointless and, a waste of time. Best of luck with your ongoing battle with reality. You're receiving this message because you posted in defense of Donald Trump. It has been my experience that his supporters are universally incapable of accepting verifiable truths about him and, by extension, themselves, thus rendering discussion pointless and, a waste of time. Best of luck with your ongoing battle with reality. > I like how you skipped over the fact you and the PEEOTUS don't stand up for American soldiers. Why do you hate American soldiers? You are such a cute little puppy. Now speak! I know you can do it boy! Speak! After that I'm going to have you roll over. No. UN Whistleblowers are my source. >So for now on, here's my reply to you, treasonous shit stain: This is you projecting your insecurities about yourself on to me again. Why do you support the man who shipped $1.3 billion in cash to the Iranian government to buy weapons they are using to kill US soldiers and attack US embassies? Why did you decide to be a seditionist? >You're receiving this message because you posted in defense of Donald Trump. It has been my experience that his supporters are universally incapable of accepting verifiable truths about him and, by extension, themselves, thus rendering discussion pointless and, a waste of time. Best of luck with your ongoing battle with reality. That's because you probably use a lot of social media and watch a lot of John Oliver and Samantha Bee. Good luck in this world my friend, you will need it to escape from the Goebbels-style echo chamber you've trapped yourself in. I feel sad for you. Enjoy being ignorant. Stop viewing the world as red shoes blue. Ok. You went to the bullshit $1.3 billion line that all of you incels go to when stuck. Forget the fact you're wrong, yet again, about 1.3 billion; it's your willingness to overlook US soldiers who were injured bc you support a coward. Perhaps that's why you do, you share the same quality. So for now on, here's my reply to you, treasonous shit stain: You're receiving this message because you posted in defense of Donald Trump. It has been my experience that his supporters are universally incapable of accepting verifiable truths about him and, by extension, themselves, thus rendering discussion pointless and, a waste of time. Best of luck with your ongoing battle with reality. "Talks about watching porn with 13 year olds" - Rogan bring it up. "Talks about molestation in the porn industry." - Rogan brings it up. Maher literally rips the left and identity politics more than anyone in the public sphere. Especially in this interview. >"Talks about watching porn with 13 year olds" - Rogan bring it up. > >"Talks about molestation in the porn industry." - Rogan brings it up. Why would you bullshit like this? Seriously, all it does is hurt your cause you clown. "Talks about watching porn with 13 year olds" - Rogan bring it up. "Talks about molestation in the porn industry." - Rogan brings it up. I don't even like Maher but this is the dogshit that is so easily proven bullshit that it just completely destroys any point you're trying to make. I like how you skipped over the fact you and the PEEOTUS don't stand up for American soldiers. Why do you hate American soldiers? Oh shit. The Jimmy Dore Show is your source? Well damn, I mean if Jimmy Dore says so, what does the rest of the entire worlds news matter. Jimmy Dore? Lmao!! Yawn. Don't you have a clan meeting to attend? > Don't you remember this was a result of Syria killing its own citizens with gas? You mean the false flag gas attacks that were actually committed by US Al Quaeda "White Hats" who we gave Oscar awards to? U_R_L Do you always shill for neoconservative false flags or only on Saturdays? >Do us a favor and promise you won't vote because you can't think for yourself. This is you projecting your insecurities about yourself on to me. You really don’t understand the Middle East. But thanks for the copy/paste. It’s nothing I hadn’t seen in the mainstream media a hundred times before a few months ago. But thanks for saying I’m the one with cognitive dissonance. The Kurds have one goal that animates everything they do – they want to form their own country. There has never been a Kurdistan. There was/is a semi-autonomous region in northern Iraq called Kurdistan but it was not a country. The Kurds are basically islamic communists. Hence the western media’s love for them. They think they’re progressive and they’ve allied themselves with us in the past. But the Kurds will ally themselves with anyone who they think will get them closer to their ultimate goal. They’re mercenaries. They want to form a country out of southern Turkey, northern Syria, northern Iran and northern Iraq. This is why Turkey wanted them off their southern border. This is why the Kurds refused to leave, even though they had 10 months notice and were told to pull back alongside the US forces in September 2019. They straight up refused, knowing Turkey was going to come in and establish a demilitarized zone for Syrian refugees. When the US armed the Kurds in 2012, Turkey, a NATO ally who has a much longer history of assisting the US militarily, had a fit about it. But we promised them it would be “temporary and transactional”. Six years later... This is the shortest I can condense this. Again, YOU are the one who needs to educate himself. I don’t like Trump but what he did was the right thing. We didn’t “abandon” the Kurds. They chose to stay. The USA was NEVER going to stand by and allow them to attack Turkey. Anyone who is curated to your awareness is compromised. "WTF I hate when civilians don't get killed by US bombs!" You truly are a depraved little warmonger. Yikes! Jesus Christ on a cross, dummy. Don't you remember this was a result of Syria killing its own citizens with gas? Our missile strike was on one of their military bases. Not launched at citizens. Seriously, stfu because you have no idea wtf is going on in the world. Do us a favor and promise you won't vote because you can't think for yourself. > You're the traitor who supports a POS PEEOTUS that runs and hides when Iran launched missiles at our American soldiers. He did nothing and you're ok with doing nothing. Giant pussies you are. Did you vote for the man who gifted pallets of $1.3 billion in untraceable cash to the Iranian government right before he left office? I wonder what Iran spent all of that US cash on. >Hey, name anytime when a US military base was attacked with missiles with intent to kill and we had a POTUS too chickenshit to do anything? Well he did cover up the fact 11 military personnel were injured and flown to military hospitals. But you'll just ignore that too. Right Comrade Traitor. Why do you hate American soldiers? Why are you a warmonger voluntarily choosing to shill for the anti-American neoconservative agenda? You're the traitor who supports a POS PEEOTUS that runs and hides when Iran launched missiles at our American soldiers. He did nothing and you're ok with doing nothing. Giant pussies you are. Hey, name anytime when a US military base was attacked with missiles with intent to kill and we had a POTUS too chickenshit to do anything? Well he did cover up the fact 11 military personnel were injured and flown to military hospitals. But you'll just ignore that too. Right Comrade Traitor. Why do you hate American soldiers? Yup. Maher is a pedo. No, you really don't. Why don't you try to learn about the history of US Alliance & Kurds. Here's a brief overview to get you started on the path of learning. The Iraqi-Kurdish Peshmerga was instrumental not only in the fight against ISIS but even 2003 - the northern front to the invasion of Iraq and toppling Saddam Hussein was from Kurdistan and was in coordination, cooperation with the Kurdish Peshmerga. We don't topple Saddam without the Kurds. Personally, I don't think we should've removed him, but we had an ex CIA director who was an oil man and his son wanting to keep their oil interests intact. And out of Russian hands. In 1990, when President Bush (41), asked the Iraqi people to rise against Saddam Hussein's dictatorship, the Kurds responded to that. And unfortunately, once Saddam Hussein's tanks rolled into Kurdistan, the U.S. just stood by, and that resulted in a massive exodus of Kurds to the mountain. And you can also go all the way back to 1971, 1974, where the Kurdish Peshmerga in Iraq were fighting Saddam Hussein's regime, and the United States was arming them and supporting them in order to dissuade Saddam Hussein from falling into the Soviet orbit at the time. But of course, when Saddam Hussein finally came through, that support was lifted. So yes, there is a history of working together and then abandoning the Kurds. If you can't get past your cognitive dissonance and acknowledge these facts, then I recommend you take care of your ongoing battle with reality. You do know that the Kid Love name for his production company was only used for approximately 5 years. He originally named his production company in 1984 or 85. During the Catholic church scandal and cover up, Bill intentionally changed the name to Kid Love to mock his former church. True. They hate people who speak the truth. >Edit: Bill likes going to those eyes wide shut parties in NYC. He’s a degenerate piece of shit. This is the guy who complains about Trump: U_R_L I am guessing Joe Roggan is "in the club" just like Bill Maher. They may be good at what they do or whatever, but that does not mean they are not sold out to the "men behind the curtains". When many believe media, hollywood, news agencies, etc. are all controlled by a few corporations, you can assume many of the people who "make it" in these industries are slaves to that corporation in the end, if not they are gone. If they become the mouthpiece for said corporations, they rise to "stardom". Nope, I remember it just fine. I’m not even sure why you’re bringing that up or why you’d think that. You should educate yourself with respect to what they’re all about, what their goals are, their ideology, etc. You seem to forget we helped Saddam gas them during the Iran-Iraq war, then blamed it on Saddam. They have always been anti-Iraq. The Kurds care about themselves, not about the US. This explains things. >Where are you sourcing your loony toons information from? Hillary Clinton. >We literally gave them our airstrip. When was it ever OUR airstrip? Or did you just insinuate that ISIS was working for Clinton-Obama? That airstrip was liberated from ISIS by the Russians, not from US troops or the Kurds. Cognitive dissonance is a reality they have no concept of how it works. You seem to have a short memory on their assistance during the Iraqi war. Graham & Trump are both flipped. Along with former congressman Rohrabacher from CA, Jeff Flake ex Senator from AZ, and Devin Nunes from CA. Look, there's no way Graham makes the extreme turnaround that he did unless there's dirt on him. There has been chatter before about his Afghani dance boys too. Anytime Trump has sided with Russia over US (intelligence dept reports), Graham barely says a word. When turning our backs on the Kurds and giving valuable and strategic military base and airstrip to Russia, with no god damn reasoning, and LG, Moscow Mitch and the rest of those traitors won't speak up, well it's less conspiracy and more reality this govt has been taken over by Putin. Look at that Russian private plane that flew directly to FL on the day of the assassination oh Soleimani. There's no press conference explaining why top Russian officials met with Trump in FL. There are some celebrities that are genuinely good people. Some of them just have a publicity facade of being a good person, and others are actually good people. I met Lewis Black once after a show, and he has the nicest and kindest aura of anyone I have ever met. He's very patient with his fans. Yeah, his shtick is getting angry, but he's not angry at anyone in particular. He's commenting on stupid things in society. Brian May, Ph.D., is an exemplary, kind human being who wants his legacy to be his work for animal rights and wildlife preservation. None of his huge achievements in music are that worthwhile to him. He's given millions of people joy through his band's music. When I was a kid, Don Rickles was a big star. I couldn't stand him. All he did was insult and demean people personally, by name. That is not funny. Weinstein's serial rapes were an open secret in Hollywood. Also, many women knew that if they complained about Weinstein's predation, they would have their careers destroyed. That's a powerful motivator for silence. Rose McGowan and several others women have talked about this. It's in the book CATCH AND KILL by Ronan Farrow. AIPAC Don't you know? If they ignore it, it doesn't exist. That means they have not gotten past the infant stage to learn "object permanence". They really want to prop up their pathetic evil dictator because he makes them feel safe in their hatred of everyone who is not a stupid rich white man. I fear that Rogan is just another psyop. I dont really have proof, just an opinion from seeing what kind of guests he has on his show. Foreign interference? What are you talking about? I dislike that man very much. Ok. I don’t give him any money though? I don’t even have Instagram. So what if it is controlled? You may be right, but it’s not so certain as I gave evidence to the contrary. I’d argue you are the one that is emotionally invested with your contempt, but that’s your choice. No sweat. Take care. I have actual evidence though.... His Instagram. Which is very controlled. By whatever trust people and be emotionally invested in those that take your money. Damn that was the most boring thing I've ever watched. only conspiracy here is why was this post made? To cause disinterest in this sub? I think Graham was flipped myself, but it doesn't excuse that he was involved. It should all come out. \-Today I am looking for 300 children for 1.5% equity in my company Kid love productions. Every administration has had conflict with Iran at some point for the last 20 years, including this one. He only deescalated war with Iran after bringing them to the brink of it. Same with North Korea, he brought America closer to war with North Korea than any other administration in history. I'm not out here apologizing for Obama so there's no point in bringing him up - another cheap right wing tactic. The Mueller investigation proved he obstructed justice on ten separate occasions, or did you not actually read the report? Because I did. A hoax? A hoax that resulted in multiple people closest to Trump being indicted? Reminder Mueller is a registered Republican. Have a great day! lOl lOoK uR tRIggEreD! Boy you get triggered easily hothead. Like I said, you spend too much time on reddit. I'm going to eat some food, smoke a bowl and take my dogs for an awesome hike. Have a great day! So no argument, just childish (and completely wrong) personal insults? Typical. Stop projecting. You spend too much time on Reddit. You must be depressed and socially awkward and prone to "conspiracy theories". Get a life. Really. Bye now. Fair enough. Bill Maher is an example of someone whose political/religious/philosophical beliefs are what they are to serve his base desires. There are many people who fit this description. oK bOomEr Tonight on PedoTank Bill snapped “i have so many viewers. I dont need you. I dont need one more viewer of my show” after joe kept declining. Bill is a scumbag. Youre too old Orange Man Bad™ tRuMPeT oRAngE tInyHaNDs cHEEtOmAN You clearly are delusional, know nothing about whats going on in the world, since your propaganda outlets aren't informing you of anything of value. Enjoy your bubble of fake news, and reddit echo chambers... May one day they actually be correct about something. It seems like you enjoy keeping your head in the sand, and can do nothing but project (which is what libs do 95% of the time) Exactly this. It’s sad. >our side’s Alex Jones You ain’t kidding. They’re both shill puppets. Lol, found the sheeple Trumpet. You are a delusional monkey with a smartphone. Impeachment isn't a hoax, it's forever and already happened. The country was doing great and on an upward trend when Trump took office, same for unemployment. He can't own that sorry. World peace? What in the actual fuck are you talking about? What world peace? And on and on means what? Where are the jobs he promised? What about the tax cut for the wealthy? What about his proven abuses of power and illegal conduct? There is tons of proof of his deep relationship with Russia on many fronts. Ukraine is a real problem whether not you want to believe the truth or not. Everything Trump touches turns to shit and you're just further proof. Keep your head buried in the sand, it suits you. /replies > That's why he gave Syria to Russia. We literally gave them our airstrip. It's why Trump turned his back on our allies, the Kurds. Dumb- dumb. You Russiagators are insane. Why on earth do you think that Syria belongs to Russia now? Where are you sourcing your loony toons information from? >It's why Trump turned his back on our allies, the Kurds. Dumb-dumb. Why are you spewing neo-con propaganda talking points? Bill Maher made a movie in the early 90s called The Pizza Man where he blows up Donald Trump with a bomb. I'm not making this up. Thank you for correcting that nonsense. Cross posted this to r/CelebrityConspiracies! I haven’t watched this episode but there is an episode where Eddie Bravo starts talking about the FISA stuff against trump and Joe is like “yo I gotta use the bathroom”, right in the middle of him talking, then it’s edited and it starts again with a different topic. Joe 100% does edit his podcasts now. It was a big deal when he first started doing it, he said it’s because YouTube is strict now. Go be a moth piece of CNN somewhere else. You didn’t counter a single thing he just said, you just called him wrong then attacked Trump personally. Back to r/politics you go And my cell phone autocorrect apologizes for it. I think graham was involved because he's a longtime neocon. I think that's much worse than neing blackmailed by putin. All available evidence seems to show graham, like other neocons, constantly working against russia and trying to make sure we stay enemies. What do you think putin would want graham and trump to do? Not destroy syria? Probably stay in afghanistan. I've listened to almost the entirety of every non-mma JRE podcast from the last two years, no joke. If it's something Joe and his guest are discussing Joe will be speculative but anytime he makes a factual statement he doesn't know is true he will *always* ask Jamie to look it up for him. This happens almost every episode. Wow dude step outside your echo chamber Maybe so, but my limited exposure to Rogan has been him arguing authoritatively on subjects as though he knows. So it contradicts what you are saying. But maybe I just caught him on the bad days, who knows. he talked a lot of crap about monogamy. Birds are monogamous. The oldest ancestral mammals that split off from birds such as otters and beavers are monogamous. Wolves are monogamous. Humans are mostly monogamous. Monogamy has particular drivers in humans. We are large populations with significant movements that spread STD's. 2 STD's in particular, Chlamydia and Gonorrhea cause infertility in women. The most monogomous societies have low rates of all STD's including low rates of the human herpes family of viruses, which increase with less monogomy as the norm. Polygamy in other mammals and occasionally in humans is usually of a tribal form. This means an increased risk of inbreeding and genetic diseases, but a low risk of STD's. It tends to happen when the cost of close tribal connections is less than the threat from other predators and tribes. Birds, with large colonies with migration are like humans in terms of creating vectors for STD's, and are also monogomous. The reason why is obvious. By having bonding rituals, the heathiest and most intelligent mates are selected, from a large pool, simultaneusly making low risk for STD's and a low risk of inbreeding, exactly as in modern humans. The lack of multiple partners eliminates vectors for STD's, but combined with prolonged mating rituals also optimises around parental traits and genetic health. Monogomy is the norm for our species, but it may be said that we are transitioning to this norm, and that not all humans have this trait strongly expressed, being that not too long ago we were more tribal like that of the primates. You should go to YouTube and search ‘Kim Iverson Kurds’. You seem to have a lot of notions about the Kurds that could be easily dispelled. You're means "you are" I don’t want both sides to become independents. That doesn’t solve anything. If you wanna be a Democrat or a Republican, fine. Just focus on the up/down part of the axis, rather than the left/right. I would want to go to an eyes wide shut party. They're adults there >Rogan is a f\*cking bonehead who imagines he's an intellectual. He constantly says he doesn't know what he's talking about. You are a contrarian. Peace in the koreas, Trump deescalating Iran (well our deep state using false flags) trying to suck us into a war, and on and on. Unlike the last president who not only kept us in like 2 wars, and put us into something like 7 NEW wars for his entire presidency, dropping a bomb every 20 minutes for **8 years straight**, Trump is ending the pointless MIC wars. Hahahaha I would love to see the stats you have on world peace Hilarious that down votes are given for pointing out the obvious. Instead of realizing it really is hypocrisy, the Trumptards keep their heads firmly planted inside their own seat cushion. Yes. I agree. Honestly, I just wish both sides would just leave their parties and all become Independents. Gotta say, that’s a stretch of a conspiracy. Carry on though. thank you so much, i appreciate that and agree. thank you Correct, when Bernie drops out there will be no refunds, just like 2016 Can we all agree they are both just clowns at our political circus? Rogan is a f\*cking bonehead who imagines he's an intellectual. Which is a dangerous and highly annoying combo, but still not nearly as dangerous and annoying as Maher. Lol, sure pal. I've watched every single coup attempt by the deranged left, and not a single one has worked, and the public is waking up to all the bullshit the left is pulling, trying to nullify the 2016 election. The only "senile" ones are Pelosi, Biden, and Bernie. Trump is anything but, no matter how hard your propaganda outlets scream otherwise. Unlike you, I don't watch news, so I don't have any "talking points". I have facts and statistics backing me up, about the economy, unemployment rate, world peace, etc. All you have is MSM talking points and raging emotions. I didn't even vote for Trump (the first time)... Enjoy his guaranteed reelection. Actually, as per the interview and as per this Maher donated $1 million dollars to Barack Obama to defeat Mitt Romney, it was such a simple thing to confirm that i question your motives. Literally everything you said is wrong. He is a known crook and a proven liar. You use the word hoax almost as much as him, and he is senile. Time you start thinking for yourself instead of regurgitating hollow talking points. Bill Maher is a shit person and he's totally uninteresting. For that reason, I am out. Lmao. The *current president* goes on insane rants on Fox News. Your fake outrage is actually hilarious. Edit: autocorrect Lol, found the MSM consumer. How is it "going down in flames"? The russia hoax didn't work, the mueller investigation couldn't come up with anything, this new impeachment hoax is beyond laughable and pathetic, meanwhile the country is doing fan-fucking- tastic, with lowest unemployment in US history, economy is insane, world peace is happening, and on and on and on... Yes, you know who was a big player for Dyncorp & making sure the Afghani dance boys abuse was kept quiet? Lyndsey Graham. Putin not only has Trump under blackmail, but Little Lyndsey too. Doesn't Trump go on Fox & Friends? A lot more than Pelosi, yes? Are you aware of what you said is hypocritical or a double standard? Most likely just loves him some kid love. Fuck Bill Maher Pretty much any future of cohesive national unity. What's going down in flames (aside from the Trump "presidency")? Same reason our current POTUS goes on Fox news and Hannity. Double standard much? I thought so. She is laughing because the POTUS is a laughable buffoon who is not fit for office. It's quite simple really, not sure why GOP has such a hard time comprehending things. For sure he has more control there because it’s his show. I just think it’s weird that you singled out the height thing as evidence for your claim. It isn’t unreasonable for short men to have some insecurities but he has a huge public presence, people see him all over the place with people that are taller than him, and you think he refuses to take pictures with tall guests on his show because he can refuse? I can’t prove you are wrong but you can’t prove you are right either. It just seems like a stretch to me. I won’t disagree that he serves his ego but so do most people. Edit a word. That has nothing to do with his podcast he has way more control over that I was discussing. Dude is on camera at least once a month live in front of hundreds of thousands of people watching UFC. Some tall fuckers in that game, that doesn’t matter to him. Everyone knew and everyone kept it secret. Joe wasn’t established and probably talked about the rumour behind closed doors like everyone else. When this shit is all over the place in your industry, who do you pick to “out” and when? Seriously you kinda have to point the finger at everyone, not just these two. Yeah, sure you would. So why didn't Joe ask him why his fuckin company is named that Getting bad vibes from someone is subjective, I wasn't saying the other dude is wrong or I'm right, I just found it a little strange that my opinion on Rogan seemed totally absurd to him. Interesting. I agree with Keanu and Betty though. Obviously i will now, George Carlin, Betty White, Seth Rogen, Sean Locke, Ally McCoist, Rafa Nadal, George RR Martin, Pedro Pascal, Keanu Reeves, Freddie Mercury and Brian Clough. Called him out.. for donating to the Dem nom when he's a Dem? How is that calling em out. How is him giving money bad but foreign interference is good? Where are you from cause it ain't the US. Liberal here. Hate Bill. Guy is our sides Alex Jones. Fuck Maher. What is the issue you have ? You don't want people to talk about it? Who the fuck is down voting Bill Hicks in a conspiracy sub?? You don't belong here lol think we got some moles in here. Lowering people's vibrations to attach lower frequency entities to enter their spirit. Can you name the other 11? You don't even know him and you're proving a point. and joe isn't chill. That's his act. Hes crazy motivated by his ego. Hence why he doesn't take photos with his tall guests. Can't make him look his real height of 5' shapiro Fingers crossed. Bill Maher is a faux liberal influencer. HBO is owned by Time Warner which is now owned by AT&T. Dude is a big phony. But... you didn't try I don't like him because he is pro Israel I understand what your saying but you phrased it poorly 👍🏿 👍 Google? Google him. Watch and listen. You're welcome. Bill Hicks? Bill Hicks Just name 1 please. yes. I can name 12. Yikes. Can you name a celebrity that doesn’t give you the creeps? Don't be offended because I pick up vibes from Joe that you don't . Everyone knows Maher is a creep. Especially people in the entertainment industry like your boy Joe who invited him on his show. Joe is fake as fuck, obsessed with money or as he calls it "successful people" he talks about women like they're meat for him to devour. Joe is clearly a shill, if you disagree then I don't give a shit. Whereas my opinion on Joe clearly bothers you lol That’s what you took away from this? The only creep is Bill Maher. How does Rogan give you the creeps lmao? He’s like the chillest and most down to earth celeb alive.. And hes like 5 foot 4 Dont worry i and probably others aswell understand what you are getting at and and i agree. Bill and his production company are knee deep in shady shit but this is just one of the many several red flags to consider. Him being a member of the red shoes club, whatever the fuck those guys do is another. The impression I've got is every comedian and most people involved in show business had heard those rumors. Hearing rumors is different than knowing. And knowing is different than having proof. I dont know exactly what the laws are on libel but I know if I were considering accusing someone powerful and famous of being a serial rapist, I'd want to have some evidence. I said this on the jre page and got downvoted hard. It’s weird too he was on right after Dore (a true lefty), as if to conflate the two, which to associate Maher with Dore or the left is a huge disservice to both Rogan gives me the creeps. Even scarier that he's a God to all the dude bro's out there. But better sure than not I can't find it but maher was in a political panel discussion, and someone gave a breakdown of (I think) Dyncorp mercenaries the US hired to work in eastern europe being accused of child sex trafficking and they mentioned having 11 yr olds at their base giving bjs for a dollar. Someone started to voice their disgust but Maher interrupted them to do a comedy riff on how intrigued he was by the story and wanting to discuss the very cheap sex some more. bill maher is the epitome of a stereotype "Do you remember their names? We do. Do you really believe you are still safe? Protected? The World is WATCHING." At the very least he didn't seem to like how Joe Rogan ended the interview because the time was up. People tend to not do that if they enjoy a conversation. It was like therapist or a hooker saying your times up, didnt seem friendly like a lot of his interviews. That's when Bill Maher started talking in a scripted manner and less personally. Maybe its just a personality difference. Bill Mahers comedy is more like an actor doing comedy while Joe enjoys the stand up art form. Lol just eating popcorn watching the shit go down in flames. I like your style. Show me where it's edited. I only watch it because of his recent 3 years of absolute panic. He is so obviously a mouthpiece for his controllers that it's fun to watch them squirm through him. I can’t watch that shit. It’s a constant stream of self-adulation, condescension, and arrogance. Everyone that disagrees with him is not only retarded, but worthy of denigration. I’d like to see that smug asshole get the ugly sneer wiped off his face. The shows aren't live anymore they are edited a bit. Bill Maher absolutely hated the stuff about someone doing an impression of him and Joe not wanting to do his shows. Bill's gone to Epsteins island and tweeted about going there. His show tonight was something else. Transparent attempts to push the recent bullshit smear on Bernie, an attempt to revive RussiaGate... And Why is someone like Pelosi who is third in line for the Presidency of the United States going on this degenerate's show to jovially commemorate her attempt to impeach a sitting POTUS?? And laughing the whole time. Better safe than sorry. I hope you really trust the person telling you or you could ruin someone’s life If I was told someone was a serial rapist I would call the cops or drop a tip to the FBI. I don't just let shit like that go without action. None of what you said is true, there was no editing and neither of them seemed upset with each other. What are you supposed to publicly accuse America’s dad of rape just because some broad told you so? It seemed like something Joe said upset him. It seemed edited a lot more than usual. At the end he seemed to try to give Joe Rogan a handout by letting him go on his show and one of his comedy tours but didn't like how Joe wasnt begging for access or even wanted access like most people probably do. I wondered if it was related to Joe talking about declining to do Bill"s old show or go on his new show. Or maybe the way Bill seemed to talk about people who have been famous for a real long time and feel entitled to treat regular people poorly and pedophile stuff so nonchalantly. Joe Rogan seemed a bit disappointed in him by the tine it was done. Joe talks to people a lot and knows how to read people so it seems like he saw something dark. No refunds XD Tells everybody to give up on Bernie/his ideas. He donated a million to Hildawg btw. Remember when he donated a million dollars to Hilary and Julian Assange called him out on his show? look for some kid/boy lover symbols in his shit >i honestly have tried to boil it down in more laymans terms but i cannot; this is not an indictment against you but rather my own self. goodday. Bill Maher is a fucking shill. If you can't explain what you're trying to say then why should I care about what you're saying? Bill Maher will end up just like Weinstein and Cosby. One day it will all come out. i honestly have tried to boil it down in more laymans terms but i cannot; this is not an indictment against you but rather my own self. If you can't explain what you said like I asked then its not worth trying to read into it at all. awesomeblossom mate have a good day trying to crack this riddle Or Joe’s just so good at putting people at ease they feel comfortable enough to drop their masks when they talking to him. Not gonna rule out Joe being a part of it all though. They both discussed how in the early 90s they had heard rumors about Bill Cosby being a rapist and they both kept the secret. You’re not wrong. That was babble. I’d love to hear a clarified version of what he’s trying to say myself. I don't really like Bill, but i do like Joe, and often browse clips when I get out of work. Now I feel like I shouldn't because he's a secret pedi insider lmao thanks babble - That nonsense you just wrote. define: babble It's all nonsense babble. that was my layman's terms; i'm sorry. Explain what you just said in Layman's terms. You don't make any sense to me. perhaps it's not so much that a company like "kid love productions" wants to fuck children but rather attach demonic idols; get them rocking to the rhythymn of an idol that can change in some fashion on down the road. Bill Maher is such an arrogant piece of shit. Nobody respects and loves Bill Maher as much as Bill Maher. Edit: Bill likes going to those eyes wide shut parties in NYC. He’s a degenerate piece of shit. If someone is being spied on I think they have mastered how not to be heard breathing on the phone. That being said, every person in the US is being spied on. And I would suspect if I had so many foreign relations the spying would be 100x. SS: In 2015 radio host Don Smith interviewd Trump for his radio show. During the phone interview Trump complained about buzzing noise that sounded like line intercept. The noise then stops but is later revealed in the recorded interview. -- Topic = 14 (earth, space, moon, science, see, sun, theory, believe, aliens, flat earth) Fuck her to death. Yup...once you see how corrupt it really is, you start to understand why they wanted to destroy him at all costs... Like with a cloth? Good, to hell with her. I wonder what "the swamp" has on her that she's gonna step down? Good. Aaron was a sweet, nice guy. When I talked to him, you could tell he was going to do great things and he was doing things to benefit the world. At the time I thought it was just prosecutorial bungling, but he helped with Tor and with tools for journalists and dissidents to securely and anonymously leak information. We all thought it was only going to be useful against the Chinese Firewall, or North Korea, etc. because we didn't think the US government would have worse things to hide. fuck you carmen ortiz Wonder why she didn't just delete it About time. Such a horrible prosecutor Don't forget she is also behind dressing up the Boston Bombing farce as a real crime. Dude has one of the most annoying voices, had to turn it off after 5 seconds. Given their jobs, can't we safely assume they're all liars (at least to some point?) Lol they are doing damage control that’s all. AJ is the truth Joe and Alex are friends, he didn't call him a liar. All Alex said was he was going to war with social media or whatever. You can say whatever you want but when you take 100 million from a competitor and leave youtube you're essentially against them now. So yeah Alex basically said what it looks like, not what it actually is. I get it you think Alex is evil and you want him censored, well then you don't believe in free speech. Tim Pool stutters more than Gareth Gates What is the timestamp where he mentions joe saying alex was a liar? U_R_L They don't even go to the moon anymore (if ever). They totally just "forgot" how all the sudden. True story. Such wasted talent and tech then. Sad. It'll be used for marketing soon... Though there will be a name change to "Alexa" It was a 3 person game of "twister". Bezos Won, got the Moon and the cockhead pod, Musk got Mars, Sats, and ISS... Richard Branson herniated his L4 For one that would undermine all the work of keeping that info out of public view and probably another reason is most tech gotten is a weapon and or a way to control the people -- Topic = 15 (vaccine, covid, vaccines, vaccinated, get, had, medical, after, getting, take) So I watched the interview last night. Although I can agree that: - covid19 numbers could be greatly misleading due to misdiagnoses - covid19 might be used to apply more laws to restrict our freedom - during the lockdown they can do things, like building those 5g towers without any protest - 5g might have harmful effects on health - everybody is gonna want vaccine's, so if these nano things exist, this would be a great opportunity But he makes a very bold statement that covid19 does not exist at all??? And he makes a link between covid19 and 5g, it started in Wuhan, 1 of the first places where 5g was introduced, but what about the rest of the world where there is no 5g? It just doesn't make sense to me. I see some truths combined with lies, just what mainstream media does. I have just uploaded the video on bitchute, if you want to download it there, the video & flash downloader should work there, just tested it. -- U_R_L -- U_R_L -- These are what i used to download videos. Do you by chance know a website that is capable of downloading the video from link?I only know a few and have tried and all of those are saying link not available.Really wanna see and hear this with more time. Deleted No, those things stop the spread of a virus that’s killing hundreds of thousands of people. But they’re a fuckton more educated than this idiot, and those of you that follow him. I have been trying to find out as much credible info on the dangers of 5g but really I got to say it wasn’t till I listened to that interview that I realized I do have to get involved. So to answer your question I haven’t done anything yet but that will change soon. Thanks for the info man They have no reason to, the mainstream has no clue who he is, the vast majority could care less. Too worried about trump or the left or boris johnson or whatever the fuck. Have you done anything yourself? Edit: found this international appeal. Seems like the only thing out there we can sign that really has any chance of getting attention. I know that Robert Kennedy Jr is involved in a lawsuit to try and stop the roll out of 5G. If you go to his Instagram account there is links or information of what web site to get involved. That’s my best idea of how to participate, but like he said in the interview everyone has their own piece to contribute and I bet if you really thought about it you would know what your next move should be. For those that are looking for the David Ick video that Youtube deleted. U_R_L Could be true. Its weird that they left him alive all of these years.. Well he didn't explain how we can do that. Can you? I’m against people making misleading claims without quality evidence you nitwit, just because I criticize something someone says, doesn’t mean I’m against free speech But something like this *could* push us towards those options. I'm not saying it is for sure, but its possible, and that's scary U_R_L Here is some sort of acknowledgment by Disney of extraterrestrial encounters. Seems reptilian to me. Were they not aware that youtube has been on a censoring spree? Pass We can start by coming together and stopping 5G This is blowing up on so many sites! He connects so many dots! #thecabalmustfall Haha thanks for taking me down that rabbit hole I'm here to tell you, right now, that there's a global plot to destroy all life and the only way to stop it is for you to send me fifty bucks. Pm me for my account details. Nope, I'm saying that many people in the world have crazy belief systems, but that doesn't automatically mean everything they say has no merit, or that they can't make valid points on other topics. Which seemed to be the whole point of his post, nothing about the actual topic at hand, just an attempt to discredit based on an opinion/belief that he doesn't seem to personally agree with. Are you lost? That's a completely different topic than the comment you're replying to. Are you lost? What if Icke is controlled opposition and they are deleting his shit so we think he has the right answers, but in reality doesn't and that's what they want; us believing half-truths leveraged on the "Fact" that this was deleted, so it must be correct? Don’t care Imagine a world where a large cult of people worship a zombie as the son of an invisible god. Then imagine the head of that cult having extreme amounts of influence and power while storing hidden information that the majority of the rest of the world may never see. Oh, and they can rape and molest children and spend billions to cover it up. That would be totally insane. At least he doesn't worship the zombie son of an invisible god, who's leaders cover up child rape. Hey man if denial makes you feel better, more power to you. Good luck with everything. Simple minded yes, easily manipulated no. You're right, you're simple minded & easily manipulated. Congrats? Believing in this shit ain’t easy. Looking at people that don’t is what’s hard. You can't yell fire in a crowded building when there isn't a real danger. This is exactly that. This man is blatantly making shit up, like reptilians, really people? You're that easily persuaded? No man, easily being manipulated like you is being a lame ass. If there’s a plot to destroy life itself, why would I not blindly accept that. What the fuck else is there to do. Be a lame ass like you. In other words, there is no source & you're blindly accepting a crazy man's opinion as some sort of gospel Where the fuck are going to resources on lizard people? That man is the resource. Among the other million countless references to reptiles in our legends & mythology I grew up with him in my world early on, he was a sports presenter on British TV, very popular, very respected. Out of nowhere he starts talking about lizard people and other stuff. I'm not one to dismiss conspiracy theories, but he just went from respectful to acting like he lost his mind overnight. And yet redditors on other posts motivated by this video want to organize and resist and god knows what else. It's all free speech until someone labels you one of them a witch or a lizard person and you find yourself burning at the stake but it's ok because it could never be you could it? Don't be too sure. Like I said let him speak he is avuncular and articulate and groomed but before you get your pitchfork you might want to do some real due diligence on the matter down memory lane of his many false prophecies and scenarios. Like he has said himself it is easier to be fooled than believe you have been fooled. Now that is truly prophetic. No, locking people in their homes and promoting social distancing propagates fear and division. You fear truth, it’s obvious. Who do you find insightful? Oh piss off. You sound like an ADL member. No, you just don’t get him. Because the world doesnt need a conspiracy to move towards stuff like digital currency or 5g. They just need to be more convenient than the current norm. Research David Icke more. The guy is insane. I'm not a big Icke fan, but when he says reptilians rule the world and then you look at the pictures of the Papal Audience Hall ... it makes ya wonder. What is bothering me with david icke is that he never ever provide any sources. We just have to drink the koolaid. He might be right, he might be wrong there is no way to know. Plus he is a good orator, so people will believe him no water what. If he says that the moon is square people will believe him. I do think that something is shady with the virus, the gov response, the 5G and more, but come on. If you have any sources link, I'll read them. The more he is censored, the more "relevant" he becomes. Bottom line, he is a certifiable whack job who has a presentable appearance and convincing even tone. He can say he is all about "peace and love" but the reality is that his "theories" have targeted many high profile individuals and may cause some to "act" on his musings. I am all for free speech and I say let him speak. The problem is when you create a paradigm of good vs. evil, those labeled "evil" are marginalized and dehumanized. Are some of his ideas interesting? Absolutely. But could what he is saying incite violence? Yep. That is the problem. He says the answer is love and peace but that is contrary to the fear-mongering of his pedantics. Trying to be relevant in 2020 and people still think this guy is a wack job. It won’t happen. It’s cute tho. David is nervous Bc he knows his time is up. What is far fetched about it? How quickly it will happen or if it will happen at all? I love a good conspiracy but geez this seems even more far fetched. We about to get downvoted Nope. Original was about 3 hours long. ... lol The video is still up... What are you guys talking about Thank you! Just finished it, still have no idea what I could possibly do to change anything, but it definitely gives a lot to think about. This wasn't live. This video was literally posted originally this weekend and I watched it on Saturday night. Sounds like the channel is trying to generate hype. If you want me to take you seriously, give me sources and evidence mate U_R_L Maybe they watch a lot of videos circle jerking what Icke is saying? But, there have been 5G towers set ablaze I’m *not* defending it. The video: U_R_L U_R_L U_R_L Because of David Icke videos? People are burning the 5G towers, so I guess there is that. It creates an atmosphere of fear and distrust among citizens, leading to them rejecting Government help as they continue to believe the “truth”. This leads to radicalizing their beliefs and protesting against what is supposed to help them. It weakens humanity’s ability to stop the pandemic by creating doubt about the pandemic itself So in other words, you refuse to believe the truth? They are using coronavirus to collapse the world economy, destory small businesses so mega corporations take over, set up New World Order and introduce a digital world currency How is it harmful tho? While the mainstream news does have an honesty issue, I’m not disagreeing with you, they’re not flat out lying and spreading conspiracies. Conspiracies are fun sometimes, but in a time like this so far more harm than good works for me It's not fear it's the truth. What did he say??? It doesn't work Yes but if YouTube were concerned about the promotion of fear and distrust, they would also remove all news videos from MSM. If I watch CNN for more than 5 minutes, I feel like I’m gonna have a panic attack. This isn’t about suppressing fake news, this is about suppressing anything that doesn’t agree with the mainstream narrative. That was due to lobbyists from Cigarette Companies, not the doctors themselves Yes because it falls under their new terms of service as promoting conspiracies, I see nothing wrong with deleting a video where a man promotes fear and distrust in a time when we need to unite the most. Try again. It goes blank at 6 seconds but go forward and it plays. Oh do shut up Part 1 The website is down too. Can’t even play the Vimeo link Let’s put it this way, when my parents were born doctors were advertising certain brands of cigarettes as healthy lol. The medical establishment is not all knowing. Apparently it was taken down because of the link they made between 5g and coronavirus: # UK media outlets told not to promote baseless 5G coronavirus theories Broadcasters warned they face sanctions if they give airtime to false Covid-19 health advice ​ U_R_L David Icke is not a good source for info imo The dude is not plugged in, hes just selling sci-fi. Nobody is denying it’s a thing. It’s just what this thing is going to lead to that’s the problem. U_R_L Might work? I think the website is down too now U_R_L Is the video on Vimeo? Any one got a link? Because David Icke is a total idiot and him and David Wilcock are not health professionals and are contributing to major stupidity. Do any of you personally know a nurse or doctor? I have friends in the healthcare industry, its a thing. Meanwhile organic herbs legalization circus. Bizarro world for sure. Yeah benzos are a GABA drug just like alcohol so the wds are similar, although benzo are less likely to kill you on wds. Deaths from opiates withdrawals are more rare, it happens only in very extreme cases and it's not a direct result of the wds (like a seizure) but a result of the side effects, especially extreme loss of bodily fluids. If you don't hydrate enough in wds for exemple you can die this way. I guess we all have different tastes. Bruh it’s literally malfeasance. U_R_L Not just alcohol withdrawals, and it's completely asinine, but I go through sugar withdrawals constantly. Good thing that won't kill me! *Don't reproduce* Alcohol withdrawal is the only known withdrawal that can kill you. If your a alcoholic it’s dangerous to go cold turkey even if you want to quit. You have to ween off the bottle The boredom got to so many people around me. It's rather depressing how many things had to shut down, considering what stayed open. It was stupidly subjective, and I don't think history will look back kindly. Oops didn't see that! No worries. This is a really good post to be honest. Whether a lockdown was necessary or not I haven't seen anyone talking about the realistic negative health affects. Addiction goes up, people get depressed from lack of human contact or being around the same old people every day. hell me and my flatmates drunk so much more alcohol and smoked so much more weed over lock down compared to what we do now. The thing is there will be people who would have continued the same level of self medication long after the lock downs ended (I live in New Zealand so we got through pretty unscathed). Yes, my comment lower says this. Ty for taking the time to type this reply! Okay I'm a second year nursing student and I can maybe explain a reason why the liqour stores stayed open. The reason is that if you are an alcoholic and stop drinking cold turkey you can straight up die. Not 100% sure on the exact mechanism that causes it but essentially your nervous system gets so used and adapted to the alcohol that when it doesn't get it you end up having a full blown seizure that can kill you. I've seen it happen to a friend right in front of me (they survived) but they broke all their ribs and nose from the seizure. Was pretty scary. It was considered essential, but not because we already lived through prohibition. It was because functioning alcoholics can seize without alcohol. Keep the immune system working at an optimal level rather than impairing it. oh burn!! What I struggled to process was, the grocery stores turned the water purification machines off. Don't think about that too much. LMAO. talking about people giving away their porn search history. I’m cracking up.... Thank you Nah it's actually pretty hilarious. British Brainwashing Channel. Enjoy. That's exactly what you do! Vote those fuckers out. r/bigdickproblems Liquor staying open was an eye opener for me. BIG BLACK COCK Hocus pocus you’re “QAnon” now! Its a brave new world. When the name the globalist cabal that bought the pandemic scam, then you can say they're waking up. They're just trying to figure out what they believe and then there's the BBC being constantly shoved down their throat. BBC means something else to the coomers that frequent this board. Ah the undesirables... Terrible ad hominem and forum slide. Link to site i hope you are clever enough to figure out what the alcoholism means for your future health. smart guy. Wonder what BBC did to them? Or are you suggesting it was consensual? 🤣 I'll let you think about, I'd rather not spell it out. why ? the bbc is just propaganda. orwell was a limited overhang, the reality is far worse. You probably should have spent more time thinking about your user name. this came trough my letter box. the front says to vote them out in may elections. of course they are 26 years too late it doesn't matter who you vote for, there was a constitutional coup in 1995. everything since has been a show, 100% propaganda ..with the sole intent of getting you to give up all your rights in exchange for perceived safety. they made sars-cov2 at the welcome foundation. Family Guy U_R_L Kids watched Season 4 of Family Guy. Referencing Family guy episode? Major Dem donor and supporter accused of sexually assaulting a child? Nothing. Any one that says this adds credibility to the pedogate investigation is only discrediting the investigation. It’s just kids messing about . Wtf has this to do with pizzagate? WTF is going on here? But they told me pizzagate has been debunked. -- Topic = 16 (m, get, them, going, know, now, ve, when, go, us) Nah I'm good You never heard of sarcasm. Learn to live and quit letting Trump live in your head. only the stupid ones We don't have caves on the beach. We have humidity and mosquitoes and I've only felt one so far. Is this what you so all day? Comment on conservative threads. Why? Then you need a life Which cave do you live in? I been wondering why I am getting increasingly magnetic. That can't be true You're onto something... Yes. With 100% efficacy. Damn. I'm sorry. RIP m8. Omg think of all the good they could be doing! I would love that, bizzare shit that could never happen is all i think about Aerosolized vaccine in supermarkets and the such You really believe that? Seriously? Nah. I get bit 20 times in my backyard, in a short amount of time,, we would overdose on vax. Mfs really just post this shit with no source, can we make a flair called schizo shit I came up with It’s always “their” goal. Like some boogie man lol. Genghis Kahn decreased the population. Nothing short of slaughter will do that. A plague could, then why create a vaccine. You ever hear of apophenia? Oof i was honestly being intentionally absurd but if that's true then big WOW I haven't seen a mosquito all summer. Could it be that the vaxxed killed them off? If that's possible... could they be using mosquitos to inject vitamin b... If their goal was depopulation that seems mighty practical. If it's to prevent covid, more doses would definitely prevent that because you can't catch covid if you're dead. Think about it... Gasp! Practical? If such a thing were even possible (which it's not), it is FAR from practical. Some people would end up with 20 doses and others with none. How is that remotely practical? It's all in fun, it'd be hard to call this possible Gotta keep up the rouse Cool then there's no reason for mandates any more. Sigh… SS: i have no evidence whatsoever, just thought of it. seems practical. LMAO. I told a dude/girl the other day to sit in it. That terrible feeling of when you try and troll someone but it doesn't work 😂😂 Yeah this whole talking down on people whose morals are subconsciously affected by music is incredibly pretentious and self gratifying. Everyone who enjoys music is equal as a music fan. I do prefer discussing great music anytime. Hit me up. Lol dude I haven't said anything about anyones taste in music. I actually specifically said that mac millers stuff is my favorite music. And I've been listening to rap for a decade. I absolutely don't care what others like or dont, and have no interest in comparing something that is different for everyone and depends on a personal taste, it's like claiming an apple to be the most delicious type of food lol so I think we are misunderstanding each other a bit I'm not talking about rap at all, that's just an example. Its related to every other industry, politics and etc. And I never compare myself to anyone, except myself. So I know things what I wasn't aware earlier, things I didn't know and things I believed that turned out to be false. So that's what I look at, and I'm just sharing that information with anyone who doesn't know yet or interested to find out new perspectives or to see what they haven't yet seen. And it's kinda funny you are saying I'm thinking of being more aware and having higher morals than someone else, but you are the one comparing me to others and lol and you are also wrong and have no knowledge about my morals and the level of my awareness compare to a whole group of random people. Actually if I use your logic then I absolutely do have higher morals and awareness than some people, by default lol Anyways let's not discuss who has higher morals lol it comes down to moral actions on a daily basis, not pretentious words and self gratification. That's the essence of trolling:) But it's very rare to see mindful, peaceful trolling and not insensitive and thoughtless ahaha good stuff Respect👌 I know what you mean about having fun when people come after you😂 it's hilarious looking how they are losing their shit, while making fools out of themselves. Especially when their arguments contradict their own beliefs ahaha you can feel how their brains are short-circuiting lol I have faith in the kids man. They'll be fine. We used to panic because kids saw Elvis wiggling his hips or the Beatles mop top hair on tv. Never make the mistake of thinking you see things more clearly than anyone else, including kids who like rap. You are not more more aware of subtext or symbolism than they are. You don't have superior morals. You're just like them. And that's okay. Ps: Never ever get on a high horse about personal taste in music. Music elitists are the worst. Well glad to hear, but there's a whole generation of kids and so many others who blindly follow and believe in what they see. they acquire false values, wrong and twisted morals, and dumbed down minds, not capable of any critical thinking or personal opinion. And I agree with what you are saying but you are not taking in consideration the way those things shown to you on a daily basis could be affecting you on a subconscious level, making you more acceptable of certain things and conditioning you against your knowledge. That's something most people ignore when talking on this matter. That's what really is concerning and very harmful. Doesn't bother me. When I watch scarface I know Al Pacino is acting. When I watch Star Wars I know it's filmed in a studio not in deep space. Same for music. Gangster rap is like a pretend movie and It's made to be enjoyed. Honestly people who take it too seriously are probably more programmed by it then me who sees it for what it is. Just entertaining sounds. That's just the cost of a few good songs. Being programmed, subconsciously manipulated and influenced. Why you think all the rappers pretend to be criminals from the hood, and promoting all types of negative shit. Oh yeah no I get you. Money aside, I support artists selling out artistically as well. Artists should do whatever they want to do. Take risks, go pop. I love it all. The only thing I don't like is gatekeepers, elitists, purists and people who get on a high horse about personal taste in music. Liking good music is awesome, but it's not an accomplishment. It's like having great taste in ice cream cones. Everyone who enjoys music is equal as a fan. Ps: Kendrick is great. Saw him live fyf fest 2016 in LA. He does it all. Def one of the best popular rappers. Haha it's not about money for me, I think that's where we lose each other. I'm very passionate about music, and when you're passionate about music because of the artform, then money is the last thing that matters as a die hard music fan lol. If they can do both, get bags and keep the artform alive then those are the ones imo that are truly gifted. Like your kendrick lamars for example Yeah if a change of style makes you lose connection with an artist that's just how it is. I just fully support artists going pop, changing styles, going dark, going weird, selling songs to Chevy motors. Get the bag. Streaming money isn't great and concerts been cancelled a year now. Hahaha nah logic is dope but I feel like he kind of fell off, I heard too many occurrences of him rhyming genes/jeans and crease lmao for my liking. I'm all for artists making it too it's just like as somebody who makes music you can feel the passion behind a radio single versus them making music before they were known. Some artists start making music for the fans and not themselves which is in my opinion why they lose focus I don't believe in selling out. If the most underground artists wants to work with Taylor swift and sell the track to McDonalds I fully support them as long as the music is dope. Hip hop fan community is so full of purists and gatekeepers I love seeing them mad. Even tho I wasn't a big lil peep fan I loved that his nail polish and emo style pissed off people who want to put rap in a small creative box. And yeah I'm a logic fan too....but rappers who are inspired by logic and hopsin always end up 'lyrical miracle spiritual individual' rappers Yeah nah I know both logic and hopsin. Logic had potential he really did then sold out man once he hit mainstream I feel like he really burnt himself out I can name tons. Most suck. But they are influenced by em logic hopsin etc so they rap super fast about nothing and every bar is a mumble rap diss.... But man migos are 100x better than a fast rapping white YouTuber any day 🙏 Only because I was trying to make the point of white rappers. I respect all music and rappers of any color though I don't care about any of that. I actually thought about this the other day though so that's why I made a point to stick to white rappers. I couldn't even name any myself Yeah i thought you were making the point that Mac was so big that illuminati would want to kill or control him. Either way Mac is def top 5 white rappers in both skills and success. But also why differentiate between the races of musicians? I appreciate your passion. I'm not into genre labels much so I see post as pop but also he rhymes so he's rap too in a way. But really I only care if the music sounds good. Rap,rock, classical pop black, white, blue green literally none of those labels matter so long as the music is good. Yeah action is up there, Aesop rock to me personally is seen as more of a niche white rapper, similar to NF. I guess the point I'm trying to make is that if you ask most people who's the best white rapper after eminem, I think a lot of people would say Mac Miller over any other artists that you have picked. That's all 🤔. To the other person who commented music is def all subjective etc so we can agree to that Post Malone is pop, but I'll at least give you beastie boys I can respect that haha. The way I looked at it it's merely clout, and the best rappers in the game all have songs with Mac, not everyone got songs with post Malone. Beastie boys well you know how that goes lol. But I guess the point is, household names of people who actually listen to hip hop and know their stuff mac is taking the cake over practically any other white rapper out there. Lol who even are you? Did we ask for you opinion? (Jk btw) You’re taking your opinion on something as subjective as music and treating it as fact. Vanilla ice was super duper star when it was his time. Skills don’t matter when profits are to be made. Logic has a gigantic fan base. Everlast from house of pain had his moment in time. Beastie Boys are icons from the old school def jam era. El-p from run the jewels has a huge fan base. RA the Rugged Man and Vinnie Paz have huge fan bases. All I’d say get more love in the hip hop community for their skills than Mac. I’m talking hip hop not pop rap If you wanted to get into melodic pop rap you have post Malone and Lil Peep. Sorry man you’re out of your element with this take. Music is subjective. I would argue Eminem’s music sucks now because it’s dumbed down. He can’t spit like a true lyricist and sell records. It goes over people’s heads. Every now and then he has spitters like Royce and Black Thought were he shines. Rest is trash Gotcha well in terms of skills or clout that's not up for debate it's simply a matter of personal taste. Id put Aesop Rock and action Bronson as equal to mac easily for white rappers. But that's just my personal taste. I don't really make clout rankings. I don't even know what clout is, kids sure love it tho. So I looked it up and beastie boys, MGK (believe it or not) and post Malone all have higher sales or streaming than Mac. Not even sure what we are discussing tho. Mac is one of the best to do it....but only one white rapper has ever left the 'rap world' to be a global star on the level of Elvis, Celine Dion, Justin Timberlake....and it's Eminem. No one comes close in terms of sales. Either way I don't believe illuminati killed mac. He just bought some dirty drugs. Rip Malcolm. I literally said in my comment earlier commercial success I understand. But I'm not talking commercial success I'm talking clout in the hip hop community. Apples to oranges the conversation we're having haha I understood your point literally in the first comment In terms of sales and success mac is much much closer to them then he is Eminem. All those dudes including Mac sold between 3-10 million and Eminem did 200 million. I love that you love Mac so much but you can admit 10 is closer to 3 than it is to 200 right? I'm only talking sales here. Skills is a completely other topic that we aren't discussing right now. Lmaooooooooo none of those dudes are in the same league as Mac Miller though, so I guess that's my point. All those dudes are like lightweight, Mac Miller is like middleweight or light heavy while em is the heavyweight (goat of white rappers lmao) I didn't say eminem is the goat. I like Mac way better in terms of style actually. But Eminem's level of fame and success is 25x that of Mac. So in terms of successful white rappers... Eminem is at the top by himself.. Then wayyy below is vanilla ice Mac Miller MGK g eazy yelawolf logic Macklemore NF Action Bronson etc But success wise em is Jesus and the rest are just disciples Bruh you keep bringing up eminem I know he's the goat lmao I'm not even fighting you on that. I totally get your point. But WHO ELSE has more fame as a white rapper besides eminem and Mac Miller? I'm still waiting to hear some examples. I understand the difference in their fame. I don't watch sports tho but generally like all of them, boxing being my favorite Eminen sold 200 million albums. He's as successful as Beatles and Elvis. Mac sold 10 million albums. He's as famous as Asap. Yeah they are both white rappers but Eminem is one of the biggest artists in the history of recorded music. For 5 years he was the #1 artist worldwide. Mac is fire but he's probably only top 20-50 artist last 5 years. Eminem is a household name...my grandma knows him, mac is known mostly to younger folks and rap fans. It's a big difference. Even tho Mac is more versatile that has zero to do with fame and notoriety. What's a sport you like? None of those guys are white rappers. Mac Miller is way more popular than you think. He's like Trump. Commercial success counts but also what counts is their library of music. Mac had so many mixtapes and albums but most if not all of his albums were bangers. Eminen... we know that verdict lmao. A lot of rappers aren't in the same league as Em, but if we're talking white rappers who are megastars besides Mac Miller and eminem.. name a few cuz I can't think of any Mac is great but em has sold over 10x more than mac. Their status is barely comparable. Macs peers are ASAP, schoolboy, Tyler etc....ems peers are Elvis, prince, Garth brooks, Beatles. Like he's a mega star. I don't think that's true but even if it is that's not unfortunate. I listen to music to hear good songs and they release good songs. Mission accomplished. I beg to differ. Pop smoke is prob dead because I highly doubt dude was intelligent enough to plan out his fake death. Mac Miller on the other hand idk if you are aware of this but he's literally the only white rapper to have the status that eminem had. Not quite the same level of notoriety but way more versatile Hahaha yea I know, my entire reddit profile is merely here to spread my music (which is a sattire of hip hop), but my actual reddit account and how I use it is sattire of other reddit users. I just repeat dumb things they say etc. I troll most often then not but I usually end it with love haha or I actually contribute to the posts I find interesting. It's when people come after me that I really have the fun. Long live the character Mac Miller ✊🏽✊🏽✊🏽 pop smoke tho I never really cared for.. dudes name is pop smoke 😂 I said at that point he deserved to die with a name like that Ahaha popular page of Reddit is the darkest black mirror episode:) Lol Dude I get into arguments with so many special peopIe, that at this point I can't even tell if someone is trolling or saying the most random phrases as their counter argument. But thanks though, I appreciate your comment and your sanity. And I feel you, I had programs running on repeat couple years ago, was for sure one the favorite songs. Especially the lines you mention. Since blue slide park came out, mac was all I used to listen to. Good times You are right, I guess you should write a black mirror episode about this. That's their job. They sold out for that. To lie to people and push agendas, and playing roles. And they live pretty well in the public eye too, they don't care about public. They literally brainwash the young generation and it's a part of a job to appear in public. When they don't have to, they don't appear. Hahaha castle I'm just joking around broski. The post was good tho keep the content coming. I revised my previous comment to adhere to the post. See what I wrote there So that's exactly what I meant when I said it doesn't have any connection to the topic. You are talking about completely different thing lol I wouldn't trust Jesus to proof read any script. The guy clearly wasn't good at reading his own lol Good for them, they can't really live while they are still in the public eye. I live my life out til old age. That's my script. No plans on a young death for me ☺️. God wrote the script and Jesus proof read it 😏😏. I did enjoy the post though, Mac Miller is one of my biggest influences and I knew hearing self care and programs he was leaving hints at his upcoming departure. On the track I can see on his postpartum I feel like that was the closing message. Programs - "They gave me the key to the sky but I'd rather open my eyes, cuz that's what'll keep me alive" I can see - "so close I can taste it, practical jokes planting mirrors and smoke that I fade away in" 🌚 Interesting, I haven't heard about her before. The thing about all these celebrities is that they are not trying to escape anything out of their will or faking their deaths on their own. Its pretty much just a part of their contract. They know how many seasons their character will be on stage before the script ends For enthusiasm you should go to those actors who will jump and sing, and dance and play dead for some cash. That's their profession. So you might be in the wrong place, it's not Netflix. Yea, I did too. But unfortunately they don't write any of their songs and it's all autotune and edited. Its a show, every season gotta kill of a character and add a new one, to keep people entertained. Really? Who gave you your script? And when are you supposed to overdose or get shot lol Mad how much enthusiasm this kid’s lacking. I liked the evolution of macs career. And pop smoke had a cool voice. Lmao you said they kill off their scripted characters and I'm saying we're all characters. The scripts started when we were born Virginia Woolf also faked her death to escape her character of a celebrity writer: U_R_L I mean sure, that doesn't really make any sense in this situation lol Lol sure:) sounds so simple doesn't it These people are dead. Mac Miller and Pop smoke weren’t big enough artist for faking their deaths to even matter. PAC’s case has been solved, it was an inside job that’s why no charges We're all just characters in this play we call life. Submission statement. Showing on the example of mac miller and pop smoke, how to decode their scripted careers and see the deception behind their alledged deaths by using gematria. Every celebrity who was allegedly killed, overdosed or committed suicide are not really dead. Just their characters are dead. Yup What if J&J actually works best so they’re trying to push it to the back of the line? More conditioning and herding of the sheep. They want you to go "I'm not getting the J&J are you crazy? I'm getting the Pfizer. I'm not stupid". BTW, remember when everyone was rushing to get the J&J "one and done"? lol That sarcasm? There's a lot to unpack there. -- Topic = 17 (us, russia, war, china, ukraine, country, military, russian, israel, putin) It may be because he went through addiction a few years ago. He even went on dr Phil. I’m gonna say he had it mixed up with Ryan Dunn’s death Bam replies to Hulkamania in the picture you posted :( Can I get links to these tweets? Anyone can doctor screenshots. I remember this. I think Hogan had a case of mistaken identity SS: I definitely remember Bambi passing about 2-3 years ago. Nope. He's alive and well. What was the question ? Here's a big obvious secret... The president is a figurehead to absorb blame from all the rich people that actually control things If you think any present ever did anything, you're wrong. Maybe they suggested stuff amongst their cabinet and handlers, but there is no power figure we are allowed to see, just dumbass figureheads He was desperate for a 2nd term bc that's where the real dirty stuff is gonna happen. Desperate enough to try anything to stay in power even if it destroyed his overall image. If he'd just conceded, did some interviews to point out the irregularities, said something like "I was forced to conceed before everything was cleared up, "they" were going to destroy me if I didn't." He keeps his base and even fires them up by referencing threats from "they". I bet an angry mob would have still organized a thing at the Capitol, but then Trump says "Can't be anything I did, I already conceded." He'd still be on Twitter and on Fox everyday talking about what's really going on in Ukraine, talking about inflation - basically campaigning every day. He'd be the unchallenged front runner and most likely would be elected again. Literally 100 out of 100 advisors knew this and told him "You could easily be president again in 4 years, you don't even have to do anything, you just have to not do certain things that aren't gonna work anyway" But he needed that 2nd term for some nefarious purpose, probably involving Ukraine. Needed it right then so badly that he fucked up any chance of coming back later. I wonder what he was trying to do 2nd term? I'm guessing whatever the original plan was for the Ukraine situation got fucked when he lost. So maybe it was Russian pressure saying "Fight this until it's all destroyed" and he's saying "but I'd like to run again next time and I can't really prove anything big enough to overturn it" and they're like "Kompromat" and he's like "ok fine". Now they've used Trump up and threw him out, sent their money towards other people and changed the narrative on Fox but he's trying to run anyway and it's gonna end badly. I hope he does become president. Then we can finally get this civil war started and the aliens will finally show up. Trump being president will be great for MLK legacy too, because the media will be spending all their energy on the orange man so the rape tapes will be ignored when they released in 2027. ​ Old Donnie is great when it comes to hiding other people's dark secrets. You drank the coolaid didn't you I am not a big fan of Trump. I personally think we could use new blood on both sides. I think he had some good policies and objectively the country did much better than it is doing now. That being said, a lot of what you point out above as a result of Trump is the result of what was allowed to be implemented using Trump as a reason. The problem appears to be the more authoritarian actions implemented since he left office. You need to look at who is pushing censorship, pedophilia acceptance, racial divide. Trump was the excuse for these being implemented. He was not the one who implemented these. I would be fine with another candidate running in place of Trump but just think he should not be credited with a number of items listed above. Thats their job You do realize we are on the brink of WWII right? None of this would have happened under Trump. GTFO with this crap! Biden has f***** the world. English much? Daddy Trump is gonna make america great again! F off, commie. Was this written by AI? shed light on what? Trump didn't shed light on anything we did. in fact Trump didn't even start talking about internet censorship until the year 2020 when it finally happened to him. he didn't give two shits about it happening to people who supported him he only cared when it happened to himself Have you been holding that in for a while? Did he, or did the media? This has to be a joke. Is this a real Post? Trumps fault for not being able to criticize the Dems? He was the one who shed light on all of the crap you posted. -- Topic = 18 (trump, his, q, evidence, were, had, fbi, epstein, been, investigation) Rule 13: Also interesting is the role former FBI Director James Comey played in the decision to end the Marc Rich grand jury without a recommendation of prosecution. From 1987 to 1993, Comey, working in the U.S. Attorney’s office for the Southern District of New York, served as the DOJ prosecutor who oversaw the prosecution of Marc Rich, the billionaire oil trader convicted of tax fraud and trading with Iran during the embassy hostage crisis. Thank God, that was a scare. What would I do with myself without my daily dose of Dr. Phil berating runaways and his wife looking at him with condensing looks each day. Canceled by Dutch media. Dr Phil hasn't been cancelled. At least, I'm *pretty sure* they haven't. I know a person involved with the show and they were doing preparations today for an upcoming episode about bad neighbors. I think this is fake. I can't verify this info Notice you never see the social media influencers write anything showing empathy to these people injured? Suckered and lied to by the most criminally fined corporations and corrupt bankers, gaslight and had their health destroyed with the help of immoral inhumane media and social media influencers for money. Fuck all of them. -- Topic = 19 (bot, any, please, concerns, subreddit, am, questions, action, moderators, automatically) The Not So Grand Canyon? Where have I seen this idea before? .... U_R_L This is a pretty old post, but I'm going to reply to this to hopefully make you understand why this is a bad thing. A "hemispheric common market" not only undermines the idea of a self- sustaining economy for a sovereign nation, but it doesn't even include the entire world - just half of it. (Hemisphere) More and more the US is becoming a debtor nation because of it's lack of reasonable tariffs on imported goods. This is why it's far more economical for a company to produce something in.. let's say Mexico, and import it into the US. The benefit to the common US Citizen is that these products are often cheaper, but at the cost of most manufacturing in the US being nearly non-existent since it's cheaper for a company to just ship the goods in from another country. The idea of a "hemispheric common market" is really only beneficial to corporations, in our current society. If we had Universal Healthcare, a form of universal basic income (basically a more socialistic nation) this idea would be fantastic. But the fact is that we are very much so a Capitalist Republic, which has mostly become an Oligarchy because of the influence that money has in our political system. Suffice to say, a socialistic society isn't as profitable as a capitalist society. Edit: I didn't even explain why the hemispherical part is bad, but I figured it was self- explanatory. In this Utopian idea of a "hemispheric common market" only half the world is included. So you can imagine that the other half of the world may not be too happy at not being a part of the club. Basically higher global tension. TL;DR - The idea of a "hemispheric common market" providing growth and opportunity for "every person in the hemisphere" is a fallacy in our current geopolitical and economical state. Did you notice how you couldn't really hear the audience when he said for them to be quiet? I wonder if they were altering the sound to not show any dissent or scorn for Clinton. Well, she confirms them, for one. Another obvious one is the integrity and fact-checking methods of Wikileaks being historically infallible; Wikileaks both having nothing to gain for the leaks, and in fact much to lose; the list goes on. It's so sad that he's the only person that the PTB allow to ask hillary any sort of difficult questions. We deserve better, and if she's sworn in, it gives me solace knowing that we'll either: a.) delve into a totalitarian, oppressive, corporate oligarchy to an even more obvious degree, until things reach a point that the gun-toting, oppressed, a-typically patriotic Americans decide enough is enough. b.) hold a damn press conference. Most 12 year olds would make better candidates than either of these two. The skeptical democrats are so ready to agree in this conspiracy theory Yup Secure your own shit on the internet. If Putin has it then so does every other world power that might want to use it as blackmail. The crime here is not realizing you're responsible for shit that goes online. (And also lying all the time about everything related to indiscretions makes everyone roll their eyes) You should provide the full quote from wikileaks instead of cherry picking : “My dream is a hemispheric common market, with open trade and open borders, some time in the future with energy that is as green and sustainable as we can get it, powering growth and opportunity for every person in the hemisphere.” [05162013 Remarks to Banco Itau.doc, p. 28] I don't feel it is nefarious when it's not quoted completely out of context. Also how do you explain the debates? Trump barely touched the content of the emails and allowed the subject to be changed to Russia and nukes...Wouldnt you want to repeatedly dig deep into the content of the emails? Instead one debate is about the actual server then another debate is about who hacked the server instead of ANY content within the emails. All this does it gets people to go to the media to look at this email thing. Suddenly CNN is the persons source. They are using these fucked up tactics to push the public directly into the MSM propaganda machine. "Lets spark their curiosity then completely control the narrative on all media outlets!" Not everyone reads /r/conspiracy lol. This shit is nowhere to be found in the mainstream. Alex Jones? Fox News? How do we know the emails arent scripted? At this point we pretty much have to question the legitimacy of everything He is CHOOSEN/PICKED opposition. Not a puppet/controlled opposition. It's in the leaks. As a hardcore fan of professional wrestling reading the debate transcript was the most sports entertained I've been all year Us foreign policy has been insane for decades. Her answer was a lie. No where in that email does she talk about "energy" as open borders. She's an elitist and a global list. It's deleting the emails that"might" have something to do with what she was being investigated for. I think the emails that were deleted were stuff she didn't want out but maybe had nothing to do with the investigation. Shady shit surrounding other stuff is what I'm saying. But I do agree with you, I don't get how anyone can vote for her or trump and not acknowledge how shit they are in terms of their actions, words and personality's She also said it was about energy, but i thought it was about trade? Pretty sure that is the goal. When you have controlled opposition it is their goal to make their opponent look good. He's really not that bright for a Wharton school snob, I could kick his ass in a debate with my measly SUNY education. >Wallace: Secretary Clinton, I want to clear up your position on this issue because in a speech you gave to a Brazilian bank for which you were paid $225,000 we've learned from the Wikileaks that you said this and I want to quote, my dream is a hemispheric common market with open trade and open borders —Trump: Thank you. >Wallace: So that's the question. Please, quiet, everybody. Is that your dream, open borders? >Clinton: Well, if you went on to read the rest of the sentence, I was talking about energy. You know, we trade more energy with our neighbors than we trade with the rest of the world combined. And I do want us to have an electric grid, energy system that crosses borders. I think that would be a great benefit to us. But you are very clearly quoting from wikileaks and what's really important about wikileaks is that the Russian government has engaged in espionage against Americans. They have hacked American websites, American accounts of private people, of institutions, then they have given that information to Wikileaks for the purpose of putting it on the internet. He looked like a 12 year old at some point in each debate, unfortunately. DNC is run by ruthless animals who don't care about anyone but themselves and the weak minds that follow them. She had the audacity to stand on stage, after the video release, and accuse him of causing violence at his rallies that she paid money to cause. She literally had her campaign hire people to physically hurt women. Her stuff is bullshit? There are very large lists you can find all over the internet of things she has done that have questionable legality, or were basically illegal but we all know she's above the law at this point. Her stance on many topics have changed based on what's popular. She's a politician, she will say anything to get elected. It really frightens me that anyone could vote for her and actually just brush off the shady things she has done. Honestly I don't care for Trump either but I'm sure as hell not voting for someone as corrupt and shady as Hillary. Edit: Also it's not just having an email server, it's fucking deleting emails that she should be prosecuted for. 'Among other things, the Wikileaks emails show Clinton smearing the anti-fracking movement as a Russian-backed conspiracy, and saying that Wall Street reform should come from industry executives. When asked about those comments, she should not be able to deflect by pointing to how they were disclosed. Richard Nixon adopted similar distraction tactics in response to the Pentagon Papers, accusing the New York Times of printing “stolen goods.” Many of the most influential leaks in U.S. history have come from stolen property — like when activists in 1970 broke into an FBI office in Media, Pennsylvania, and discovered that agents were infiltrating activist groups.' U_R_L God what a beast... great reference! Well that's not true. Never mind the libelous...libellous.... stuff he says or the stuff where he claims he didnt say something and then roll the footage from a week a year or even a day ago before (which she does as well). He has a history of lying in business, which is fraud in some cases and he has been sued for. Her stuff is bullshit but don't try to make it like she's so much more evil for having a private server of emails. Don't like it either it how it went down but if you had to pick only one of them to carry the label of liar, it has to be him. Purposely misquoting or misinterpreting facts is another example of what he loves to do. You know, all those Mexicans raping people so better close the border. This reason makes me buy into the whole "controlled opposition" idea. I think any of the other GOP candidates would have been able to frame the questions at Hillary's integrity eloquently and without sounding like he's grasping for straws with "conspiracy theories" (my opinion that Trump makes them sound less credible with his delivery). Definitely the chance that no matter who was running, they would have gotten hit with the sexual assault allegations from the Clinton machine and lost credibility... but if we had any control in the election from the start, I certainly think that hope is lost now (barring a federal indictment, which is a pipe dream) I love this liar stuff that comes up about him. Anything he potentially did lie about didn't involve legality issues. Hillary on the other hand can't say the same. it also made him look like a 12 year old unfortunately. He should be. He should be, with proper facts, ripping into her. Which is his main weakness. Imagine if there was an actual politician running against her, with all this evidence her campaign would have been over by now. I thought it was funny. She said "I was talking about energy" and then changed the subject and hoped Don wouldn't press her about it. Which he didn't, because getting called a puppet set him off and made him lose focus. He should have shat on her, just based off wikileaks and PV information released, but he was more concerned with his ego. still no reply... She kind of answered saying it was out of context, did she not? Heard most of the quotes people were saying and saw one guy mention it on CNN after a Hillary clip. The anchor correctly pointed out the context. I think it's true she's more corrupt than trump but only because I wouldn't use that word to describe him. I think he's a charlatan, liar and delusional narcissist Putin is literally Snowball from Animal Farm Hillary will kill us all. May she die and let us be free At what point did the Russians become our enemy again? This debate is like watching wrestling, Clinton just throws out the Russians and says they are bad, and somehow people just start chanting USA USA USA and agree that they are bad and are hacking us? It's pure fucking insanity. U_R_L he did, but then he took the bait and started talking about Putin. No Trump pointed out that she pivoted lol No one involved in these emails has denied them. They just change the subject from the topics in the emails to who was responsible for the hacking. Disgusting group of liars. Then Trump repeated "you're the puppet" like 5 times. It was the best part of the debate lol --
In [120]:
mdl.save("conspiracy-topics.bin")
In [121]:
topic_words = [[x for x, _ in mdl.get_topic_words(i)] for i in range(mdl.k)]
topics = pd.DataFrame(
{
"label": [x[0].upper() for x in topic_words],
"words": [", ".join(x) for x in topic_words],
}
)
topics.to_csv("labels_conspiracy.csv", index=False)
In [94]:
mdl = tp.LDAModel.load("conspiracy-topics.bin")
labels = list(pd.read_csv("labels_conspiracy.csv")["label"])
In [97]:
df['tokens'].head(5)
Out[97]:
0 [your, post, has, been, removed, because, it, does, not, contain, a, submission statement, if, you, think, you, received, this, mesge, in, error, or, if, you, have, subsequently, added, a, submission statement, please, contact, the, mods, through, modmail, and, include, a, link, to, the, comment, with, your, submission statement, this, is, a, bot replies, and, pms, will, not, receive, responses] 1 [ugh, i, am, sick, of, seeing, his, face, he, is, so, controlled, opposition, so, obvious, where, s, he, pushing, them, i, changed, the, description, i, had, previously, lifted, it, directly, from, the, inspired, you, tube, channel, but, you, are, right, he, is, still, encouraging, people, to, get, vaxxed, with, the, faulty, injections, so, he, isn t, as, awake, as, he, professes, to, be, thanks, for, the, correction, shares, how, he, has, been, fully, red, pilled, and, what, is, really, goi... 2 [i, m, not, ying, charges, weren t, used, what, i, am, ying, is, the, mass, of, a, plane, will, definitely, go, into, a, building, especially, when, you, mix, force, from, the, planes, impact, any, explosives, that, were, in, the, plane, leverage, from, the, height, of, the, plane, the, temperature, from, everything, burning, don t, get, me, wrong, i, am, as, certain, as, i, can, be, there, were, explosives, planted, prior, but, i, m, speaking, solely, in, the, jet, fuel, thing, i, think, al... 3 [it, s, actually, a, callback, to, tom, cruise, s, moment, up, there, but, i, see, how, it, could, be, confusing, on, it, s, face, would, he, really, be, standing, on, the, couch, though, and, you, get, an, indictment, and, you, get, an, indictment, everyone, is, getting, an, indictment, joining, a, militia, and, taking, over, a, wildlife, refuge, beware, of, the, new, swiss, guy, who, s, really, good, with, guns, what, that, trump supporters, are, afraid, of, being, asulted, or, shamed, for... 4 [all, caps, titles, are, not, permitted, as, per, rule, please, repost, with, a, new, title, i, am, a, bot, and, this, action, was, performed, automatically, please, contact, the, moderators, of, this, subreddit, if, you, have, any, questions, or, concerns] Name: tokens, dtype: object
In [126]:
df.head(2)
Out[126]:
| date | text | len | word_count | text_clean | tokens | |
|---|---|---|---|---|---|---|
| 0 | 2019-08-09 21:58:14 | Your post has been removed because it does not contain a submission statement. If you think you received this message in error, or if you have subsequently added a submission statement, please contact the mods through modmail, and include a link to the comment with your submission statement. ^(This is a bot: replies and PMs will not receive responses.) | 354 | 59 | your post has been removed because it does not contain a submission statement if you think you received this mesge in error or if you have subsequently added a submission statement please contact the mods through modmail and include a link to the comment with your submission statement this is a bot replies and pms will not receive responses | [your, post, has, been, removed, because, it, does, not, contain, a, submission statement, if, you, think, you, received, this, mesge, in, error, or, if, you, have, subsequently, added, a, submission statement, please, contact, the, mods, through, modmail, and, include, a, link, to, the, comment, with, your, submission statement, this, is, a, bot replies, and, pms, will, not, receive, responses] |
| 1 | 2022-01-15 19:16:00 | Ugh. I am sick of seeing his face. He is so controlled opposition. So obvious. Where’s he “pushing” them? I changed the description. I had previously lifted it directly from the Inspired You Tube channel, but you are right, he is still encouraging people to get vaxxed with the faulty injections so he isn't as awake as he professes to be. Thanks for the correction. > shares how he has been fully red-pilled and what is really going on. lulz He's taken the shots and still pushing them. Dr. Robe... | 719 | 127 | ugh i am sick of seeing his face he is so controlled opposition so obvious where s he pushing them i changed the description i had previously lifted it directly from the inspired you tube channel but you are right he is still encouraging people to get vaxxed with the faulty injections so he isn t as awake as he professes to be thanks for the correction shares how he has been fully red pilled and what is really going on lulz he s taken the shots and still pushing them dr robert malone co inve... | [ugh, i, am, sick, of, seeing, his, face, he, is, so, controlled, opposition, so, obvious, where, s, he, pushing, them, i, changed, the, description, i, had, previously, lifted, it, directly, from, the, inspired, you, tube, channel, but, you, are, right, he, is, still, encouraging, people, to, get, vaxxed, with, the, faulty, injections, so, he, isn t, as, awake, as, he, professes, to, be, thanks, for, the, correction, shares, how, he, has, been, fully, red, pilled, and, what, is, really, goi... |
In [178]:
df.query("word_count<=5").tail(5)
Out[178]:
| date | text | len | word_count | text_clean | tokens | docs | |
|---|---|---|---|---|---|---|---|
| 16867 | 2015-07-21 17:26:35 | Don't forget Doggerland. | 24 | 3 | don t fet doggerland | [don t fet, doggerland] | (you, can, do, that, right, now, with, ps, vr, enjoy, how, are, you, doing, still, don t care, duane, dibbley, they, missed, the, mark, imo, but, it, s, nice, they, left, plenty, of, sources, for, more, info, dismissing, the, idea, of, a, large, entity, gaslighting, the, worlds, population, through, the, control, of, online, discourse, then, immediately, talking, about, how, many, articles, there, are, about, the, moon, each, year, is, the, typical, nothing, to, see, here, move, along, oh, o... |
| 16869 | 2017-08-05 22:43:24 | I don't don't know | 18 | 4 | i don t don t know | [i, don t, don t, know] | (you, can, do, that, right, now, with, ps, vr, enjoy, how, are, you, doing, still, don t care, duane, dibbley, they, missed, the, mark, imo, but, it, s, nice, they, left, plenty, of, sources, for, more, info, dismissing, the, idea, of, a, large, entity, gaslighting, the, worlds, population, through, the, control, of, online, discourse, then, immediately, talking, about, how, many, articles, there, are, about, the, moon, each, year, is, the, typical, nothing, to, see, here, move, along, oh, o... |
| 16901 | 2019-08-06 12:51:25 | Ugh, TL;DR? | 11 | 2 | ugh tl dr | [ugh, tl dr] | (you, can, do, that, right, now, with, ps, vr, enjoy, how, are, you, doing, still, don t care, duane, dibbley, they, missed, the, mark, imo, but, it, s, nice, they, left, plenty, of, sources, for, more, info, dismissing, the, idea, of, a, large, entity, gaslighting, the, worlds, population, through, the, control, of, online, discourse, then, immediately, talking, about, how, many, articles, there, are, about, the, moon, each, year, is, the, typical, nothing, to, see, here, move, along, oh, o... |
| 16912 | 2015-07-13 07:04:15 | Publicity stunt. NWO | 20 | 3 | publicity stunt nwo | [publicity, stunt, nwo] | (you, can, do, that, right, now, with, ps, vr, enjoy, how, are, you, doing, still, don t care, duane, dibbley, they, missed, the, mark, imo, but, it, s, nice, they, left, plenty, of, sources, for, more, info, dismissing, the, idea, of, a, large, entity, gaslighting, the, worlds, population, through, the, control, of, online, discourse, then, immediately, talking, about, how, many, articles, there, are, about, the, moon, each, year, is, the, typical, nothing, to, see, here, move, along, oh, o... |
| 17036 | 2016-06-26 10:04:24 | The sooner , the better | 23 | 5 | the sooner the better | [the, sooner, the, better] | (you, can, do, that, right, now, with, ps, vr, enjoy, how, are, you, doing, still, don t care, duane, dibbley, they, missed, the, mark, imo, but, it, s, nice, they, left, plenty, of, sources, for, more, info, dismissing, the, idea, of, a, large, entity, gaslighting, the, worlds, population, through, the, control, of, online, discourse, then, immediately, talking, about, how, many, articles, there, are, about, the, moon, each, year, is, the, typical, nothing, to, see, here, move, along, oh, o... |
In [177]:
len(df.query("word_count<=5"))
Out[177]:
261
In [30]:
################### Removing comments with word cout less than 5 ###################
df2 = df[df['word_count'] >=5]
df2.shape
Out[30]:
(16145, 5)
In [187]:
df2["doc"] = [mdl.make_doc(words = toks) for toks in df2["tokens"]]
topic_dist, ll = mdl.infer(df2["doc"])
In [190]:
print(fill(df2["text"].iloc[1]))
Ugh. I am sick of seeing his face. He is so controlled opposition. So obvious. Where’s he “pushing” them? I changed the description. I had previously lifted it directly from the Inspired You Tube channel, but you are right, he is still encouraging people to get vaxxed with the faulty injections so he isn't as awake as he professes to be. Thanks for the correction. > shares how he has been fully red-pilled and what is really going on. lulz He's taken the shots and still pushing them. Dr. Robert Malone, co-inventor of the mRNA technology shares how he has been red-pilled and what is really going on. U_R_L Caveat: He is still pushing the experimental mRNA injections so he isn't as fully red-pilled as he believes.
In [196]:
df2["doc"].iloc[1].get_topics(top_n=5)
Out[196]:
[(15, 0.29821184277534485), (6, 0.22472503781318665), (16, 0.22131867706775665), (4, 0.18303565680980682), (7, 0.02076192945241928)]
In [198]:
[(labels[x], y) for x, y in df2["doc"].iloc[1].get_topics(top_n=10)]
Out[198]:
[('TRUMP', 0.29821184277534485),
('CRIMES AGAINST CHILDREN', 0.22472503781318665),
('RANDOM', 0.22131867706775665),
('REDDIT', 0.18303565680980682),
('DATA', 0.02076192945241928),
('US GOVERNMENT', 0.017056388780474663),
('FOOD AND CANCER', 0.007422282826155424),
('COVID VACCINATION', 0.003922143951058388),
('RANDOM', 0.003325205761939287),
('RELEGION', 0.0025679536629468203)]
In [201]:
mdl.get_topic_words(2)
Out[201]:
[('trump', 0.054896894842386246),
('biden', 0.017061682417988777),
('election', 0.015820235013961792),
('his', 0.015000877901911736),
('president', 0.01332906074821949),
('vote', 0.013163533993065357),
('him', 0.012513842433691025),
('democrats', 0.008197739720344543),
('obama', 0.008003246039152145),
('hillary', 0.007506667170673609)]
In [208]:
df2["topics"] = [
[labels[t] for t in map(first, d.get_topics(5))] for d in df2["doc"]
]
df2[["text","topics"]].tail(7)
Out[208]:
| text | topics | |
|---|---|---|
| 17148 | Shit. I’m gonna go clean my browser real quick. Some being 1,000,000 years from now: hmm what did this guy like? Data:”BBQ sauce on titties” Some being: these mother fuckers had it figured out, babe get the BBQ sauce! We were made in (His) image, indeed. Great, now some far flung civilization will be able to read our search histories. So, realistically, they're about 50 years past this limited technological disclosure. Also, if we've *just* proven that data can be encoded on hydrogen atoms t... | [FOOD AND CANCER, US GOVERNMENT, DATA, RANDOM, CRIMES AGAINST CHILDREN] |
| 17149 | Yeah my situation is a lot more simple haha. We group of friends who just wanted to live in a community environment. The house has room for everyone, 8 bedrooms and there are 2 couples. And we have great relationships with our neighbours! Most people in the house are focused on their work and the house feels empty more often than not. Only downside to the house is that all 9 people cook in 1 kitchen, but it's surprisingly is not as bad as I would have thought. My whole family’s sick and thei... | [RANDOM, FOOD AND CANCER, DATA, TRUMP, UKRAINE WAR] |
| 17150 | Cry me a river. I'm speaking from my personal point of view with mask wearing. I don't give a shit about how anyone else feels when wearing one. Being 8 months pregnant and wearing a mask makes it hard for me to breathe. That's what I stated in my post and that's my personal experience. "If your opinion differs from mine you're a shill bot" Do you realize how stupid you look when you say that? I checked the facts he provided and they check out. Why waste a comment calling him a shill bot whe... | [REDDIT, RANDOM, UKRAINE WAR, TRUMP, FOOD AND CANCER] |
| 17151 | What’s the conspiracy? All I see are political opinions. Isms created by the elite to keep people complaining about the "other side". You buy straight into their psychological warfare. The future is socialism for you for trying to impose American-style capitalism on others; that adventure has ruined the US financially, made the world a much more unstable place, and done nothing to prevent the rise of China. Funny meme, wrong subreddit r/benshapiro Very well stated Whew, I can feed my horses ... | [FOOD AND CANCER, RANDOM, RANDOM, RANDOM, PAY] |
| 17152 | Remind people that this shit is larger and more pervasive than satanists who rape and murder children. What's the purpose of this, OP? Fuck your post OP... get us motivated if anything Yeah, really take in those chemical aerosols. Cheeky...but educational. | [COVID VACCINATION, ELECTION, FOOD AND CANCER, RANDOM, REDDIT] |
| 17153 | > you do not have time to go tell nasa yourself hahah i am sure NASA knows ;) Crazy concept to think about... I'd believe it. The stupid, it hurrrrrts! Holy shit what if gravity really is just things pulling through space at different rates and a planet is just a bunch of debris plugging up a very small wormhole HOW DID YOU JUST MAKE ME THINK THAT YOU ARE A WONDERFUL BEAUTIFUL REDDITOR I HOPE YOU GET A PROMOTION AT WORK You have time to make youtube videos,but you do not have time to go tell... | [RANDOM, US GOVERNMENT, REDDIT, RANDOM, UKRAINE WAR] |
| 17154 | good to know, i havent been able to get a straight answer on this. thanks Porn pops up in mine but not this… Same....then they suggested me to join r/Antivaxx which is a pro-vax sub....they are trash Oh I wondered why they didn’t come up. Lmao your are the human representation of: "He was crying, but in that light it kinda looked like I was the one crying" You’re saying words but you don’t understand or you are too lazy to take the time to comprehend the meaning of the words and how they rel... | [RANDOM, COVID VACCINATION, REDDIT, RANDOM, TRUMP] |
In [211]:
df2['topics'].explode().value_counts()
Out[211]:
topics RANDOM 22788 REDDIT 11883 FOOD AND CANCER 8821 CRIMES AGAINST CHILDREN 6936 DATA 5606 COVID VACCINATION 4143 RELEGION 2801 LEGAL 2719 RACISIM 2669 ELECTION 1954 TRUMP 1838 PAY 1803 US GOVERNMENT 1603 UKRAINE WAR 1475 QUESTIONING 1457 CRIME 1392 FLAT EARTH 837 Name: count, dtype: int64
In [215]:
df2.query('word_count > 500')['topics'].explode().value_counts().sort_values(ascending = False)
Out[215]:
topics RANDOM 7794 REDDIT 4237 FOOD AND CANCER 3242 CRIMES AGAINST CHILDREN 1679 DATA 1629 LEGAL 990 COVID VACCINATION 970 RELEGION 907 TRUMP 779 RACISIM 737 PAY 668 ELECTION 650 UKRAINE WAR 618 CRIME 546 US GOVERNMENT 533 FLAT EARTH 145 QUESTIONING 51 Name: count, dtype: int64
CLUSTERING¶
In [31]:
df2.columns
Out[31]:
Index(['date', 'text', 'word_count', 'len', 'text_clean'], dtype='object')
In [35]:
df2.shape
Out[35]:
(16145, 5)
In [47]:
import pickle
# Load an object from a pickle file
with open('df2.pkl', 'rb') as f:
df2 = pickle.load(f)
In [5]:
pd.set_option("display.max_colwidth", 500)
In [48]:
df2['text_clean'] = df2["text"].str.casefold().str.replace(r"([^\w\s.]|\d)+", " ", regex=True)
df2.head(3)
Out[48]:
| date | text | word_count | len | text_clean | |
|---|---|---|---|---|---|
| 0 | 2019-08-09 21:58:14 | Your post has been removed because it does not contain a submission statement. If you think you received this message in error, or if you have subsequently added a submission statement, please contact the mods through modmail, and include a link to the comment with your submission statement. ^(This is a bot: replies and PMs will not receive responses.) | 59 | 354 | your post has been removed because it does not contain a submission statement. if you think you received this message in error or if you have subsequently added a submission statement please contact the mods through modmail and include a link to the comment with your submission statement. this is a bot replies and pms will not receive responses. |
| 1 | 2022-01-15 19:16:00 | Ugh. I am sick of seeing his face. He is so controlled opposition. So obvious. Where’s he “pushing” them? I changed the description. I had previously lifted it directly from the Inspired You Tube channel, but you are right, he is still encouraging people to get vaxxed with the faulty injections so he isn't as awake as he professes to be. Thanks for the correction. > shares how he has been fully red-pilled and what is really going on. lulz He's taken the shots and still pushing them. Dr. Robe... | 127 | 719 | ugh. i am sick of seeing his face. he is so controlled opposition. so obvious. where s he pushing them i changed the description. i had previously lifted it directly from the inspired you tube channel but you are right he is still encouraging people to get vaxxed with the faulty injections so he isn t as awake as he professes to be. thanks for the correction. shares how he has been fully red pilled and what is really going on. lulz he s taken the shots and still pushing them. dr. robe... |
| 2 | 2022-10-24 16:25:16 | I’m not saying charges weren’t used, what I am saying is the mass of a plane will definitely go into a building. Especially when you mix force from the planes impact, any explosives that were in the plane, leverage from the height of the plane, the temperature from everything burning. Don’t get me wrong I am as certain as I can be there were explosives planted prior but I’m speaking solely in the jet fuel thing. I think all of this put together makes the jet fuel not burning hot enough argum... | 1608 | 8957 | i m not saying charges weren t used what i am saying is the mass of a plane will definitely go into a building. especially when you mix force from the planes impact any explosives that were in the plane leverage from the height of the plane the temperature from everything burning. don t get me wrong i am as certain as i can be there were explosives planted prior but i m speaking solely in the jet fuel thing. i think all of this put together makes the jet fuel not burning hot enough argum... |
In [49]:
df2 = df2[~ df2['word_count'] <=5]
df2.shape
Out[49]:
(16145, 5)
In [50]:
df2 = df2[ ~ df2['text_clean'].str.startswith("your post")]
df3 = df2[ ~ df2['text_clean'].str.contains("please contact")]
df3.shape
Out[50]:
(13730, 5)
In [52]:
sentence_splitter = spacy.blank("en")
sentence_splitter.add_pipe("sentencizer")
sents = pd.DataFrame({'text': [ ' '.join(batch)
for doc in sentence_splitter.pipe(df3['text_clean'].sample(2000, random_state=101), n_process=2)
for batch in partition_all(5, (s.orth_ for s in doc.sents))]})
huggingface/tokenizers: The current process just got forked, after parallelism has already been used. Disabling parallelism to avoid deadlocks... To disable this warning, you can either: - Avoid using `tokenizers` before the fork if possible - Explicitly set the environment variable TOKENIZERS_PARALLELISM=(true | false) huggingface/tokenizers: The current process just got forked, after parallelism has already been used. Disabling parallelism to avoid deadlocks... To disable this warning, you can either: - Avoid using `tokenizers` before the fork if possible - Explicitly set the environment variable TOKENIZERS_PARALLELISM=(true | false)
In [53]:
sents.head(5)
Out[53]:
| text | |
|---|---|
| 0 | yup. ndt is a clown. not sure why anyone takes him seriously. same with bill nye. and the irony of starting with the idea of walls being something he d be opposed to. |
| 1 | u_r_l u_r_l i m pretty sure jesus wouldn t vote for a jew considering they crucified him. maybe he is a gluten for punishment though.... the video s only two minutes long. never have i been hit by this many downvotes this quickly watch it and a whole other perspective on the u.s. transformation to sodom and the transferal of war on christianity to a war on islam may begin to form. there is a commonality and those who speak of it are demonised. |
| 2 | the ridiculous tweet made by the black sci fi guy u_r_l |
| 3 | the russian kgb radicalized oswald and set him loose. this was kept under wraps after kennedy s death to prevent the very real destruction of the entire earth. lee harvey oswald defected to the ussr married a russian national and returned to the us a few years later with his wife and the us government was like oh hi marine welcome back no worries about defecting to the ussr . oswald was absolutely cia. i mean. |
| 4 | if i was the cia and i was framing someone as a patsy for assassinating the president i would use a former military member with ties to russia and i would manufacture a document that says said person met with the fucking kgb assassination department . scott adams has a personal rule of thumb that if the explanation is too on the nose it s likely manufactured bullshit. u_r_l also according to the tv show . . i think rule did the soviet union assassinate kennedy funny how many conspi... |
In [54]:
sents.shape
Out[54]:
(19731, 1)
In [12]:
def count_words(text):
return len(text.split())
In [55]:
sents['word_count'] = sents['text'].apply(count_words)
sents.head()
Out[55]:
| text | word_count | |
|---|---|---|
| 0 | yup. ndt is a clown. not sure why anyone takes him seriously. same with bill nye. and the irony of starting with the idea of walls being something he d be opposed to. | 33 |
| 1 | u_r_l u_r_l i m pretty sure jesus wouldn t vote for a jew considering they crucified him. maybe he is a gluten for punishment though.... the video s only two minutes long. never have i been hit by this many downvotes this quickly watch it and a whole other perspective on the u.s. transformation to sodom and the transferal of war on christianity to a war on islam may begin to form. there is a commonality and those who speak of it are demonised. | 84 |
| 2 | the ridiculous tweet made by the black sci fi guy u_r_l | 11 |
| 3 | the russian kgb radicalized oswald and set him loose. this was kept under wraps after kennedy s death to prevent the very real destruction of the entire earth. lee harvey oswald defected to the ussr married a russian national and returned to the us a few years later with his wife and the us government was like oh hi marine welcome back no worries about defecting to the ussr . oswald was absolutely cia. i mean. | 76 |
| 4 | if i was the cia and i was framing someone as a patsy for assassinating the president i would use a former military member with ties to russia and i would manufacture a document that says said person met with the fucking kgb assassination department . scott adams has a personal rule of thumb that if the explanation is too on the nose it s likely manufactured bullshit. u_r_l also according to the tv show . . i think rule did the soviet union assassinate kennedy funny how many conspi... | 130 |
In [56]:
sents = sents[sents['word_count'] > 5]
sents.shape
Out[56]:
(19648, 2)
In [15]:
words_to_replace = ["u_r_l","amp", "woo", "jidf", "org","sa","."]
# Function to replace words with space
def replace_words_with_space(text):
for word in words_to_replace:
text = text.replace(word, '')
return text
sents['text_clean'] = sents["text"].apply(replace_words_with_space)
sents.head(5)
Out[15]:
| text | word_count | text_clean | |
|---|---|---|---|
| 0 | oh shit live ammo in a military drill nato has been doing these drills for years. | 16 | oh shit live ammo in a military drill nato has been doing these drills for years |
| 1 | yep. you might if you are really interested look at the case for christ by lee strobel an ex atheist policeman. in the arena of justice points of view are taken into account. blue hat black hat. foot foot . | 40 | yep you might if you are really interested look at the case for christ by lee strobel an ex atheist policeman in the arena of justice points of view are taken into account blue hat black hat foot foot |
| 2 | it was o clock it was . the question before the court is did jesus die and why. no historical account in any culture is free from this. there are many accounts in history that come from one survivor or one soldier or one historian. concurrently many facts troop movements reigning kings and place of battle are also contradictory but the overall historical statement is true. | 66 | it was o clock it was the question before the court is did jesus die and why no historical account in any culture is free from this there are many accounts in history that come from one survivor or one soldier or one historian concurrently many facts troop movements reigning kings and place of battle are also contradictory but the overall historical statement is true |
| 3 | if you are a true seeker you will seek and find truth. if you want a reason to not believe you can find that too. also matt. is jesus legal linage. luke is his family linage. | 36 | if you are a true seeker you will seek and find truth if you want a reason to not believe you can find that too also matt is jesus legal linage luke is his family linage |
| 4 | answer joseph his step dad was sired by one man but raised by a brother of that man after he died. happens all the time. no big whoop. no. jesus was jewish bro i recently read the book of judas... you know... blasphemy. | 43 | answer joseph his step dad was sired by one man but raised by a brother of that man after he died happens all the time no big whoop no jesus was jewish bro i recently read the book of judas you know blasphemy |
In [16]:
mwt = spacy.load('mwt2')
In [60]:
sents['tokenized'] = [[t.norm_ for t in doc if not t.is_space] for doc in mwt.pipe(tqdm(sents['text']))]
100%|██████████| 19648/19648 [00:30<00:00, 645.54it/s]
In [61]:
sents.head()
Out[61]:
| text | word_count | tokenized | |
|---|---|---|---|
| 0 | yup. ndt is a clown. not sure why anyone takes him seriously. same with bill nye. and the irony of starting with the idea of walls being something he d be opposed to. | 33 | [yup, ., ndt, is, a, clown, ., not, sure, why, anyone, takes, him, seriously, ., same, with, bill, nye, ., and, the, irony, of, starting, with, the, idea, of, walls, being, something, he, d, be, opposed, to, .] |
| 1 | u_r_l u_r_l i m pretty sure jesus wouldn t vote for a jew considering they crucified him. maybe he is a gluten for punishment though.... the video s only two minutes long. never have i been hit by this many downvotes this quickly watch it and a whole other perspective on the u.s. transformation to sodom and the transferal of war on christianity to a war on islam may begin to form. there is a commonality and those who speak of it are demonised. | 84 | [u_r_l, u_r_l, i, m, pretty, sure, jesus, wouldn t, vote, for, a, jew, considering, they, crucified, him, ., maybe, he, is, a, gluten, for, punishment, though, ...., the, video, s, only, two, minutes, long, ., never, have, i, been, hit, by, this, many, downvotes, this, quickly, watch, it, and, a, whole, other, perspective, on, the, u.s, ., transformation, to, sodom, and, the, transferal, of, war, on, christianity, to, a, war, on, islam, may, begin, to, form, ., there, is, a, commonality, and... |
| 2 | the ridiculous tweet made by the black sci fi guy u_r_l | 11 | [the, ridiculous, tweet, made, by, the, black, sci, fi, guy, u_r_l] |
| 3 | the russian kgb radicalized oswald and set him loose. this was kept under wraps after kennedy s death to prevent the very real destruction of the entire earth. lee harvey oswald defected to the ussr married a russian national and returned to the us a few years later with his wife and the us government was like oh hi marine welcome back no worries about defecting to the ussr . oswald was absolutely cia. i mean. | 76 | [the, russian, kgb, radicalized, oswald, and, set, him, loose, ., this, was, kept, under, wraps, after, kennedy, s, death, to, prevent, the, very, real, destruction, of, the, entire, earth, ., lee, harvey, oswald, defected, to, the, ussr, married, a, russian, national, and, returned, to, the, us, a, few years, later, with, his, wife, and, the, us government, was, like, oh, hi, marine, welcome, back, no, worries, about, defecting, to, the, ussr, ., oswald, was, absolutely, cia, ., i, mean, .] |
| 4 | if i was the cia and i was framing someone as a patsy for assassinating the president i would use a former military member with ties to russia and i would manufacture a document that says said person met with the fucking kgb assassination department . scott adams has a personal rule of thumb that if the explanation is too on the nose it s likely manufactured bullshit. u_r_l also according to the tv show . . i think rule did the soviet union assassinate kennedy funny how many conspi... | 130 | [if, i, was, the, cia, and, i, was, framing, someone, as, a, patsy, for, assassinating, the, president, i, would, use, a, former, military, member, with, ties, to, russia, and, i, would, manufacture, a, document, that, says, said, person, met, with, the, fucking, kgb, assassination, department, ., scott, adams, has, a, personal, rule, of, thumb, that, if, the, explanation, is, too, on, the, nose, it, s, likely, manufactured, bullshit, ., u_r_l, also, according, to, the, tv show, ., ., i, thi... |
SVD¶
In [62]:
####################################################################
################# Truncated SVD ####################################
####################################################################
NDIM = 20
vectorizer = TfidfVectorizer(analyzer=identity)
dtm = vectorizer.fit_transform(sents['tokenized'])
lsa_vectors = TruncatedSVD(n_components=NDIM).fit_transform(dtm)
lsa_vectors.shape
Out[62]:
(19648, 20)
SPACY EMBEDDING¶
In [25]:
nlp = spacy.load(
"en_core_web_lg",
exclude=["attribute_ruler", "tagger", "parser", "lemmatizer", "ner"],
)
In [63]:
full_spacy_vectors = np.array([s.vector for s in nlp.pipe(tqdm(sents['text']))])
full_spacy_vectors.shape
100%|██████████| 19648/19648 [01:03<00:00, 310.03it/s]
Out[63]:
(19648, 300)
In [64]:
spacy_vectors = TruncatedSVD(n_components=NDIM).fit_transform(full_spacy_vectors)
spacy_vectors.shape
Out[64]:
(19648, 20)
In [65]:
sents.reset_index(inplace=True)
SBERT - Dynamic Embedding¶
In [19]:
model = SentenceTransformer("all-mpnet-base-v2")
/opt/conda/lib/python3.11/site-packages/torch/_utils.py:776: UserWarning: TypedStorage is deprecated. It will be removed in the future and UntypedStorage will be the only storage class. This should only matter to you if you are using storages directly. To access UntypedStorage directly, use tensor.untyped_storage() instead of tensor.storage() return self.fget.__get__(instance, owner)()
In [66]:
sents.shape
Out[66]:
(19648, 4)
In [67]:
sents.reset_index(drop=True,inplace=True)
In [68]:
full_sbert_vectors = model.encode(sents['text'])
full_sbert_vectors.shape
Out[68]:
(19648, 768)
In [69]:
sbert_vectors = TruncatedSVD(n_components=NDIM).fit_transform(full_sbert_vectors)
sbert_vectors.shape
Out[69]:
(19648, 20)
In [29]:
def plot_projection(proj, title=None):
plt.scatter(
proj[:, 0], proj[:, 1], s=3, alpha=0.3
)
plt.tick_params(left=False, bottom=False, labelleft=False, labelbottom=False)
if title:
plt.title(title)
In [31]:
plot_projection(TSNE(2, perplexity=50).fit_transform(lsa_vectors), title="LSA")
plt.show()
plot_projection(TSNE(2, perplexity=50).fit_transform(spacy_vectors), title="spacy")
plt.show()
plot_projection(TSNE(2, perplexity=50).fit_transform(sbert_vectors), title="SBERT")
plt.show()
In [32]:
plot_projection(TSNE(2, perplexity=50).fit_transform(sbert_vectors), title="Perplexity = 50")
plt.show()
plot_projection(TSNE(2, perplexity=100).fit_transform(sbert_vectors), title="Perplexity = 100")
plt.show()
plot_projection(TSNE(2, perplexity=150).fit_transform(sbert_vectors), title="Perplexity = 150")
plt.show()
In [33]:
plot_projection(TSNE(2, perplexity=200).fit_transform(sbert_vectors), title="Perplexity = 200")
plt.show()
In [79]:
projection = TSNE(2, perplexity=250).fit_transform(sbert_vectors)
sents['x'] = projection[:,0]
sents['y'] = projection[:,1]
HDBSCAN Clusters¶
In [80]:
clusters = HDBSCAN(min_cluster_size=15).fit_predict(sbert_vectors)
In [81]:
print(Counter(clusters))
Counter({-1: 18733, 6: 574, 0: 79, 7: 69, 2: 36, 9: 31, 8: 29, 3: 28, 1: 26, 4: 25, 5: 18})
In [38]:
def plot_clusters(proj, clusters, title=None):
alpha = [0.02 if c == -1 else 1.0 for c in clusters]
plt.scatter(proj[:, 0], proj[:, 1], s=3, alpha=alpha, c=clusters, cmap=cc.m_glasbey)
plt.tick_params(left=False, bottom=False, labelleft=False, labelbottom=False)
if title:
plt.title(title)
In [73]:
sents['cluster'] = clusters
In [82]:
for c in sorted(sents['cluster'].unique()):
if c != -1:
freq = Counter(concat(sents.query(f'cluster=={c}')['tokenized']))
print(c, ' '.join(f'{w} ({f})' for w,f in freq.most_common(5)))
0 . (65) the (38) a (37) that (32) is (31) 1 . (54) to (32) the (27) a (25) and (24) 2 . (480) the (414) to (230) and (215) a (185) 3 the (184) . (155) to (113) and (90) a (88) 4 . (195) the (157) to (90) and (77) a (72) 5 . (60) the (33) i (27) you (23) to (20) 6 the (129) . (127) of (94) you (91) and (76) 7 . (155) the (127) you (94) to (80) a (76) 8 the (242) . (222) to (132) a (106) and (101) 9 . (80) the (51) you (41) to (39) a (29) 10 . (105) the (90) a (63) you (47) that (44) 11 the (64) . (55) and (36) to (32) of (31) 12 . (2736) the (2563) to (1295) and (1097) you (1085) 13 . (135) the (91) it (73) a (66) you (58) 14 the (81) . (53) and (48) of (40) is (33) 15 . (488) the (274) to (247) i (236) a (219) 16 . (97) you (55) the (49) i (47) it (27) 17 . (306) .. (78) ... (22) .... (16) is (2) 18 . (106) the (93) of (50) is (46) a (44)
In [83]:
vocab = Counter(concat(sents['tokenized']))
for c in sorted(sents['cluster'].unique()):
if c != -1:
freq = Counter(concat(sents.query(f'cluster=={c}')['tokenized']))
mi = Counter()
for w in freq:
if freq[w] > 5:
mi[w] = (np.log2(freq[w]) + np.log2(vocab.total())
- np.log2(vocab[w]) - np.log2(freq.total()))
print(c, ' '.join(f'{w} ({f:5.3})' for w,f in mi.most_common(5)))
0 creationist ( 9.49) pence ( 8.78) evolution ( 7.37) theory ( 4.95) media ( 3.47) 1 wallace ( 9.65) condemn ( 9.24) asked ( 6.39) stand ( 6.31) biden ( 5.78) 2 nato ( 6.52) crimea ( 6.21) superpower ( 6.07) ukraine ( 5.88) ukrainian ( 5.6) 3 rittenhouse ( 6.88) kenosha ( 6.75) kyle ( 6.49) wisconsin ( 6.21) guard ( 5.75) 4 ballots ( 6.77) ballot ( 6.69) voter fraud ( 6.39) mail ( 5.76) votes ( 4.7) 5 black people ( 7.03) culture ( 5.79) race ( 5.54) racist ( 5.34) black ( 4.4) 6 supremacists ( 6.98) zionists ( 6.31) jewish ( 5.76) jew ( 5.76) criticize ( 5.49) 7 surgical ( 7.48) suits ( 7.14) lab ( 5.96) wear ( 5.86) environment ( 5.56) 8 comey ( 6.55) anon ( 5.75) devices ( 5.43) wikileaks ( 5.38) email ( 5.07) 9 subreddit ( 5.99) conspiracies ( 5.38) conspiracy ( 3.97) makes ( 3.08) point ( 2.39) 10 fetus ( 7.69) abortion ( 6.75) abortions ( 6.49) baby ( 5.41) decision ( 5.1) 11 socialism ( 6.65) capitalism ( 5.91) system ( 4.09) government ( 3.52) their ( 1.73) 12 spreaders ( 4.8) intervals ( 4.75) palsy ( 4.71) viral load ( 4.46) delta variant ( 4.41) 13 grammys ( 7.74) grammy ( 6.81) awards ( 6.34) award ( 6.33) gold ( 6.04) 14 revelation ( 7.63) beast ( 6.88) six ( 6.66) number ( 5.11) god ( 3.73) 15 tetraborate ( 7.48) diacetyl ( 7.16) borax ( 7.12) charcoal ( 6.99) ppm ( 6.7) 16 amp ( 7.0) u ( 4.61) link ( 4.06) u_r_l ( 2.38) me ( 1.98) 17 .. ( 7.85) .... ( 6.54) ... ( 4.42) . ( 3.65) 18 flat earth ( 6.98) miles ( 6.65) stars ( 6.12) sun ( 5.67) earth ( 4.89)
In [84]:
sents.query('cluster==14')
Out[84]:
| index | text | word_count | tokenized | x | y | cluster | |
|---|---|---|---|---|---|---|---|
| 1438 | 1440 | i believe saturn worshippers us the dark that is manifested kobe s dark musing videos check the out on youtube for real and blanketed over this realm to snuff out our light all this is to say that maybe prayer doesn t work because we are all too distracted to pray hard enough. and when we are slaves to the dark and go to work for the dark to pay bills purchase the material items we lust for and turn the tv on to escape...well they are using that time to pray even harder. i always... | 179 | [i, believe, saturn, worshippers, us, the, dark, that, is, manifested, kobe, s, dark, musing, videos, check, the, out, on, youtube, for, real, and, blanketed, over, this, realm, to, snuff, out, our, light, all, this, is, to, say, that, maybe, prayer, doesn t work, because, we, are, all, too, distracted, to, pray, hard, enough, ., and, when, we, are, slaves, to, the, dark, and, go, to, work, for, the, dark, to, pay, bills, purchase, the, material, items, we, lust, for, and, turn, the, tv, on,... | 7.764561 | 16.662727 | 14 |
| 3462 | 3475 | this mark of the beast is in revelation . here is wisdom. let him that hath understanding count the number of the beast for it is the number of a man and his number is six hundred threescore and six. the number of the beast is the number of a man. six hundred threescore and six gives three sixes. | 59 | [this, mark, of, the, beast, is, in, revelation, ., here, is, wisdom, ., let, him, that, hath, understanding, count, the, number, of, the, beast, for, it, is, the, number, of, a, man, and, his, number, is, six, hundred, threescore, and, six, ., the, number, of, the, beast, is, the, number, of, a, man, ., six, hundred, threescore, and, six, gives, three, sixes, .] | 8.774377 | 16.499048 | 14 |
| 3463 | 3476 | if it is allegorical and can t be taken literally to find the meaning you have to go down the rabbit hole. you have to know the code. names have meanings and numbers are significant. the repetition of the number six draws attention to the number six. the repetition of the number stresses its importance. | 55 | [if, it, is, allegorical, and, can, t, be, taken, literally, to, find, the, meaning, you, have, to, go, down, the, rabbit hole, ., you, have, to, know, the, code, ., names, have, meanings, and, numbers, are, significant, ., the, repetition, of, the, number, six, draws, attention, to, the, number, six, ., the, repetition, of, the, number, stresses, its, importance, .] | 7.812789 | 16.638111 | 14 |
| 3465 | 3478 | in revelation there are churches golden candlesticks stars spirits of god lamps of fire seals the lamb with horns and eyes angels trumpets thunders a red dragon with heads a beast with heads plagues seven golden vials scarlet beast with heads mountains kings... did i miss anything seven must be god s favorite number. s now what is so important about the number isn t it obvious it s the sabbath. it s rest. revelation is a parable about e... | 107 | [in, revelation, there, are, churches, golden, candlesticks, stars, spirits, of, god, lamps, of, fire, seals, the, lamb, with, horns, and, eyes, angels, trumpets, thunders, a, red, dragon, with, heads, a, beast, with, heads, plagues, seven, golden, vials, scarlet, beast, with, heads, mountains, kings, ..., did, i, miss, anything, seven, must, be, god, s, favorite, number, ., s, now, what, is, so, important, about, the, number, isn t, it, obvious, it, s, the, sabbath, ., it, s, rest, ., revel... | 8.970122 | 16.672424 | 14 |
| 8394 | 8430 | after this i saw in the night visions and behold a fourth beast dreadful and terrible and strong exceedingly and it had great iron teeth it devoured and brake in pieces and stamped the residue with the feet of it and it was diverse from all the beasts that were before it and it had ten horns. it treads earth with feet. and the beast which i saw was like unto a leopard and his feet were as the feet of a bear and his mouth as the mouth of a lion and the dragon gave him his power... | 189 | [after, this, i, saw, in, the, night, visions, and, behold, a, fourth, beast, dreadful, and, terrible, and, strong, exceedingly, and, it, had, great, iron, teeth, it, devoured, and, brake, in, pieces, and, stamped, the, residue, with, the, feet, of, it, and, it, was, diverse, from, all, the, beasts, that, were, before, it, and, it, had, ten, horns, ., it, treads, earth, with, feet, ., and, the, beast, which, i, saw, was, like, unto, a, leopard, and, his, feet, were, as, the, feet, of, a, bea... | 9.176897 | 16.643173 | 14 |
| 12410 | 12467 | maya is the principle of relativity inversion contrast duality oppositional states the satan lit. in hebrew the adversary of the old testament prophets and the devil whom christ described picturesquely as a murderer and a liar because there is no truth in him john . paramahansa yogananda wrote the sanskrit word maya means the measurer it is the magical power in creation by which limitations and divisions are apparently present in the immeasurable and inseparable. m... | 119 | [maya, is, the, principle, of, relativity, inversion, contrast, duality, oppositional, states, the, satan, lit, ., in, hebrew, the, adversary, of, the, old testament, prophets, and, the, devil, whom, christ, described, picturesquely, as, a, murderer, and, a, liar, because, there, is, no, truth, in, him, john, ., paramahansa, yogananda, wrote, the, sanskrit, word, maya, means, the, measurer, it, is, the, magical, power, in, creation, by, which, limitations, and, divisions, are, apparently, pr... | 8.107175 | 17.210461 | 14 |
| 12414 | 12471 | okay but you need to understand that the original word used for gods in psalm is actually elohim it s one of the names for the one true god and is singular and is making a reference to humans acting as gods in positions of power. do i believe we re powerful beings of course. we re told that we will even judge the angels someday as sons of the most high. i just have a lot of experience with the new age way of thinking about spirituality and it s deception at best. half truths mixed w... | 113 | [okay, but, you, need, to, understand, that, the, original, word, used, for, gods, in, psalm, is, actually, elohim, it, s, one, of, the, names, for, the, one, true, god, and, is, singular, and, is, making, a, reference, to, humans, acting, as, gods, in, positions, of, power, ., do, i, believe, we, re, powerful, beings, of, course, ., we, re, told, that, we, will, even, judge, the, angels, someday, as, sons, of, the, most, high, ., i, just, have, a, lot, of, experience, with, the, new age, wa... | 10.216846 | 17.038162 | 14 |
| 17052 | 17123 | jesus is the light this is also very popular phrasing i ve seen throughout my life that rings differently when seeing it related to the rest of this. sunday is the day of worship. they didn t even try to sugarcoat that one let there be light. seems like light is very prolific in this whole scenario. even god is represented by light and satan by darkness. | 67 | [jesus, is, the, light, this, is, also, very, popular, phrasing, i, ve, seen, throughout, my, life, that, rings, differently, when, seeing, it, related, to, the, rest, of, this, ., sunday, is, the, day, of, worship, ., they, didn t, even, try, to, sugarcoat, that, one, let, there, be, light, ., seems, like, light, is, very, prolific, in, this, whole, scenario, ., even, god, is, represented, by, light, and, satan, by, darkness, .] | 9.455991 | 17.005747 | 14 |
| 17383 | 17458 | you will not understand the book of revelation bit if you dont understand its symbolic and have no idea what the symbols mean all the symbols can be found somewhere else in the bible so you can decode revelation . over of the verses can be found somewhere else in the bible. its actually easy to decode revelation once you know this. and if you dont understand the book of daniel. the book of revelation is made for christs true followers not for the average person. | 86 | [you, will, not, understand, the, book, of, revelation, bit, if, you, do, not, understand, its, symbolic, and, have, no, idea, what, the, symbols, mean, all, the, symbols, can, be, found, somewhere, else, in, the, bible, so, you, can, decode, revelation, ., over, of, the, verses, can, be, found, somewhere, else, in, the, bible, ., its, actually, easy, to, decode, revelation, once, you, know, this, ., and, if, you, do, not, understand, the, book, of, daniel, ., the, book, of, revelation, is, ... | 9.560166 | 16.586504 | 14 |
| 18716 | 18796 | good question. bingo this conversation came up today at bible study i think it s inter dimensional beings but i also think they some how come out of the sea. and more. the universe by which i mean the multiverse is teeming with life some of it noncorporeal some of it semi corporeal. and then mic is definitely fooling around and covering their footsteps by implanting memories. | 67 | [good question, ., bingo, this, conversation, came, up, today, at, bible, study, i, think, it, s, inter, dimensional, beings, but, i, also, think, they, some, how, come, out, of, the, sea, ., and, more, ., the, universe, by, which, i, mean, the, multiverse, is, teeming, with, life, some, of, it, noncorporeal, some, of, it, semi, corporeal, ., and, then, mic, is, definitely, fooling, around, and, covering, their, footsteps, by, implanting, memories, .] | 5.866190 | 15.342393 | 14 |
| 19474 | 19556 | the star of david is the star of remphan satan u_r_l submission statement the star of david is actually the star of remphan. this is the coptic name for saturn. we are currently inside a simulated universe which is broadcast from saturn. | 42 | [the, star, of, david, is, the, star, of, remphan, satan, u_r_l, submission statement, the, star, of, david, is, actually, the, star, of, remphan, ., this, is, the, coptic, name, for, saturn, ., we, are, currently, inside, a, simulated, universe, which, is, broadcast, from, saturn, .] | 7.536562 | 17.019068 | 14 |
In [85]:
tooltips = [("text", "@sent")]
tooltips = """
<div style="width:400px;margin: 0px 0px 5px 0px;">@rating★ (@cluster) "@text"</div>
"""
cmap = linear_cmap("cluster", palette=cc.glasbey, low=0, high=sents['cluster'].max())
p = figure(
x_axis_type=None,
y_axis_type=None,
tools="pan,wheel_zoom,box_zoom,zoom_in,zoom_out,hover,save,reset,help",
tooltips=tooltips,
title="Clusters"
)
p.scatter(
"x",
"y",
source=sents.query('cluster!=-1'),
fill_alpha=0.8,
alpha=0.01,
radius=0.6,
fill_color=cmap,
)
show(p)